Integrate rollup bundler (#120)
[poolifier.git] / src / pools / thread / fixed.ts
CommitLineData
fa699c42 1import { isMainThread, MessageChannel, SHARE_ENV, Worker } from 'worker_threads'
325f50bc 2import type { Draft, MessageValue } from '../../utility-types'
4ade5f1f
S
3
4export type WorkerWithMessageChannel = Worker & Draft<MessageChannel>
5
6export interface FixedThreadPoolOptions {
7 /**
8 * A function that will listen for error event on each worker thread.
9 */
10 errorHandler?: (this: Worker, e: Error) => void
11 /**
12 * A function that will listen for online event on each worker thread.
13 */
14 onlineHandler?: (this: Worker) => void
15 /**
16 * A function that will listen for exit event on each worker thread.
17 */
18 exitHandler?: (this: Worker, code: number) => void
19 /**
20 * This is just to avoid not useful warnings message, is used to set `maxListeners` on event emitters (workers are event emitters).
21 *
22 * @default 1000
23 */
24 maxTasks?: number
25}
26
27/**
28 * A thread pool with a static number of threads, is possible to execute tasks in sync or async mode as you prefer.
29 *
30 * This pool will select the worker thread in a round robin fashion.
31 *
32 * @author [Alessandro Pio Ardizio](https://github.com/pioardi)
33 * @since 0.0.1
34 */
777b7824 35// eslint-disable-next-line @typescript-eslint/no-explicit-any
60fbd6d6 36export class FixedThreadPool<Data = any, Response = any> {
4ade5f1f
S
37 public readonly workers: WorkerWithMessageChannel[] = []
38 public nextWorker: number = 0
39
40 // threadId as key and an integer value
41 public readonly tasks: Map<WorkerWithMessageChannel, number> = new Map<
42 WorkerWithMessageChannel,
43 number
44 >()
45
fa0f5b28 46 protected id: number = 0
4ade5f1f
S
47
48 /**
49 * @param numThreads Num of threads for this worker pool.
50 * @param filePath A file path with implementation of `ThreadWorker` class, relative path is fine.
51 * @param opts An object with possible options for example `errorHandler`, `onlineHandler`. Default: `{ maxTasks: 1000 }`
52 */
53 public constructor (
54 public readonly numThreads: number,
55 public readonly filePath: string,
56 public readonly opts: FixedThreadPoolOptions = { maxTasks: 1000 }
57 ) {
f045358d 58 if (!isMainThread) {
4ade5f1f 59 throw new Error('Cannot start a thread pool from a worker thread !!!')
f045358d 60 }
ee99693b 61 // TODO christopher 2021-02-07: Improve this check e.g. with a pattern or blank check
f045358d 62 if (!this.filePath) {
4ade5f1f 63 throw new Error('Please specify a file with a worker implementation')
f045358d 64 }
4ade5f1f
S
65
66 for (let i = 1; i <= this.numThreads; i++) {
fa0f5b28 67 this.newWorker()
4ade5f1f
S
68 }
69 }
70
71 public async destroy (): Promise<void> {
72 for (const worker of this.workers) {
73 await worker.terminate()
74 }
75 }
76
77 /**
78 * Execute the task specified into the constructor with the data parameter.
79 *
80 * @param data The input for the task specified.
81 * @returns Promise that is resolved when the task is done.
82 */
ee99693b 83 public execute (data: Data): Promise<Response> {
4ade5f1f 84 // configure worker to handle message with the specified task
fa0f5b28 85 const worker = this.chooseWorker()
d62d9c97
S
86 const previousWorkerIndex = this.tasks.get(worker)
87 if (previousWorkerIndex !== undefined) {
88 this.tasks.set(worker, previousWorkerIndex + 1)
89 } else {
90 throw Error('Worker could not be found in tasks map')
91 }
fa0f5b28
S
92 const id = ++this.id
93 const res = this.internalExecute(worker, id)
94 worker.postMessage({ data: data || {}, id: id })
4ade5f1f
S
95 return res
96 }
97
fa0f5b28 98 protected internalExecute (
4ade5f1f
S
99 worker: WorkerWithMessageChannel,
100 id: number
101 ): Promise<Response> {
102 return new Promise((resolve, reject) => {
325f50bc 103 const listener: (message: MessageValue<Response>) => void = message => {
fa0f5b28 104 if (message.id === id) {
ee99693b 105 worker.port2?.removeListener('message', listener)
d62d9c97
S
106 const previousWorkerIndex = this.tasks.get(worker)
107 if (previousWorkerIndex !== undefined) {
108 this.tasks.set(worker, previousWorkerIndex + 1)
109 } else {
110 throw Error('Worker could not be found in tasks map')
111 }
4ade5f1f 112 if (message.error) reject(message.error)
325f50bc 113 else resolve(message.data as Response)
4ade5f1f
S
114 }
115 }
ee99693b 116 worker.port2?.on('message', listener)
4ade5f1f
S
117 })
118 }
119
fa0f5b28 120 protected chooseWorker (): WorkerWithMessageChannel {
4ade5f1f
S
121 if (this.workers.length - 1 === this.nextWorker) {
122 this.nextWorker = 0
123 return this.workers[this.nextWorker]
124 } else {
125 this.nextWorker++
126 return this.workers[this.nextWorker]
127 }
128 }
129
fa0f5b28 130 protected newWorker (): WorkerWithMessageChannel {
4ade5f1f
S
131 const worker: WorkerWithMessageChannel = new Worker(this.filePath, {
132 env: SHARE_ENV
133 })
fa0f5b28
S
134 worker.on('error', this.opts.errorHandler ?? (() => {}))
135 worker.on('online', this.opts.onlineHandler ?? (() => {}))
4ade5f1f 136 // TODO handle properly when a thread exit
fa0f5b28 137 worker.on('exit', this.opts.exitHandler ?? (() => {}))
4ade5f1f
S
138 this.workers.push(worker)
139 const { port1, port2 } = new MessageChannel()
140 worker.postMessage({ parent: port1 }, [port1])
141 worker.port1 = port1
142 worker.port2 = port2
143 // we will attach a listener for every task,
144 // when task is completed the listener will be removed but to avoid warnings we are increasing the max listeners size
ee99693b 145 worker.port2.setMaxListeners(this.opts.maxTasks ?? 1000)
4ade5f1f
S
146 // init tasks map
147 this.tasks.set(worker, 0)
148 return worker
149 }
150}