1 import crypto from
'node:crypto'
4 PromiseWorkerResponseWrapper
5 } from
'../utility-types'
6 import { EMPTY_FUNCTION
} from
'../utils'
7 import { KillBehaviors
, isKillBehavior
} from
'../worker/worker-options'
8 import type { PoolOptions
} from
'./pool'
9 import { PoolEmitter
} from
'./pool'
10 import type { IPoolInternal
, TasksUsage
, WorkerType
} from
'./pool-internal'
11 import { PoolType
} from
'./pool-internal'
12 import type { IPoolWorker
} from
'./pool-worker'
14 WorkerChoiceStrategies
,
15 type WorkerChoiceStrategy
16 } from
'./selection-strategies/selection-strategies-types'
17 import { WorkerChoiceStrategyContext
} from
'./selection-strategies/worker-choice-strategy-context'
20 * Base class that implements some shared logic for all poolifier pools.
22 * @typeParam Worker - Type of worker which manages this pool.
23 * @typeParam Data - Type of data sent to the worker. This can only be serializable data.
24 * @typeParam Response - Type of response of execution. This can only be serializable data.
26 export abstract class AbstractPool
<
27 Worker
extends IPoolWorker
,
30 > implements IPoolInternal
<Worker
, Data
, Response
> {
32 public readonly workers
: Map
<number, WorkerType
<Worker
>> = new Map
<
38 public readonly emitter
?: PoolEmitter
41 * Id of the next worker.
43 protected nextWorkerId
: number = 0
48 * - `key`: This is the message id of each submitted task.
49 * - `value`: An object that contains the worker, the resolve function and the reject function.
51 * When we receive a message from the worker we get a map entry and resolve/reject the promise based on the message.
53 protected promiseMap
: Map
<
55 PromiseWorkerResponseWrapper
<Worker
, Response
>
56 > = new Map
<string, PromiseWorkerResponseWrapper
<Worker
, Response
>>()
59 * Worker choice strategy instance implementing the worker choice algorithm.
61 * Default to a strategy implementing a round robin algorithm.
63 protected workerChoiceStrategyContext
: WorkerChoiceStrategyContext
<
70 * Constructs a new poolifier pool.
72 * @param numberOfWorkers - Number of workers that this pool should manage.
73 * @param filePath - Path to the worker-file.
74 * @param opts - Options for the pool.
77 public readonly numberOfWorkers
: number,
78 public readonly filePath
: string,
79 public readonly opts
: PoolOptions
<Worker
>
82 throw new Error('Cannot start a pool from a worker!')
84 this.checkNumberOfWorkers(this.numberOfWorkers
)
85 this.checkFilePath(this.filePath
)
86 this.checkPoolOptions(this.opts
)
89 for (let i
= 1; i
<= this.numberOfWorkers
; i
++) {
90 this.createAndSetupWorker()
93 if (this.opts
.enableEvents
=== true) {
94 this.emitter
= new PoolEmitter()
96 this.workerChoiceStrategyContext
= new WorkerChoiceStrategyContext(
99 const workerCreated
= this.createAndSetupWorker()
100 this.registerWorkerMessageListener(workerCreated
, message
=> {
102 isKillBehavior(KillBehaviors
.HARD
, message
.kill
) ||
103 this.getWorkerRunningTasks(workerCreated
) === 0
105 // Kill received from the worker, means that no new tasks are submitted to that worker for a while ( > maxInactiveTime)
106 void this.destroyWorker(workerCreated
)
111 this.opts
.workerChoiceStrategy
115 private checkFilePath (filePath
: string): void {
118 (typeof filePath
=== 'string' && filePath
.trim().length
=== 0)
120 throw new Error('Please specify a file with a worker implementation')
124 private checkNumberOfWorkers (numberOfWorkers
: number): void {
125 if (numberOfWorkers
== null) {
127 'Cannot instantiate a pool without specifying the number of workers'
129 } else if (!Number.isSafeInteger(numberOfWorkers
)) {
131 'Cannot instantiate a pool with a non integer number of workers'
133 } else if (numberOfWorkers
< 0) {
134 throw new RangeError(
135 'Cannot instantiate a pool with a negative number of workers'
137 } else if (this.type === PoolType
.FIXED
&& numberOfWorkers
=== 0) {
138 throw new Error('Cannot instantiate a fixed pool with no worker')
142 private checkPoolOptions (opts
: PoolOptions
<Worker
>): void {
143 this.opts
.workerChoiceStrategy
=
144 opts
.workerChoiceStrategy
?? WorkerChoiceStrategies
.ROUND_ROBIN
145 this.opts
.enableEvents
= opts
.enableEvents
?? true
149 public abstract get
type (): PoolType
152 public get
numberOfRunningTasks (): number {
153 return this.promiseMap
.size
157 * Gets the given worker key.
159 * @param worker - The worker.
160 * @returns The worker key.
162 private getWorkerKey (worker
: Worker
): number | undefined {
163 return [...this.workers
].find(([, value
]) => value
.worker
=== worker
)?.[0]
167 public getWorkerRunningTasks (worker
: Worker
): number | undefined {
168 return this.getWorkerTasksUsage(worker
)?.running
172 public getWorkerRunTasks (worker
: Worker
): number | undefined {
173 return this.getWorkerTasksUsage(worker
)?.run
177 public getWorkerAverageTasksRunTime (worker
: Worker
): number | undefined {
178 return this.getWorkerTasksUsage(worker
)?.avgRunTime
182 public setWorkerChoiceStrategy (
183 workerChoiceStrategy
: WorkerChoiceStrategy
185 this.opts
.workerChoiceStrategy
= workerChoiceStrategy
186 for (const [key
, value
] of this.workers
) {
187 this.setWorker(key
, value
.worker
, {
194 this.workerChoiceStrategyContext
.setWorkerChoiceStrategy(
200 public abstract get
busy (): boolean
202 protected internalGetBusyStatus (): boolean {
204 this.numberOfRunningTasks
>= this.numberOfWorkers
&&
205 this.findFreeWorker() === false
210 public findFreeWorker (): Worker
| false {
211 for (const value
of this.workers
.values()) {
212 if (value
.tasksUsage
.running
=== 0) {
213 // A worker is free, return the matching worker
221 public async execute (data
: Data
): Promise
<Response
> {
222 const worker
= this.chooseWorker()
223 const messageId
= crypto
.randomUUID()
224 const res
= this.internalExecute(worker
, messageId
)
225 this.checkAndEmitBusy()
226 this.sendToWorker(worker
, {
227 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
228 data
: data
?? ({} as Data
),
231 // eslint-disable-next-line @typescript-eslint/return-await
236 public async destroy (): Promise
<void> {
238 [...this.workers
].map(async ([, value
]) => {
239 await this.destroyWorker(value
.worker
)
245 * Shutdowns given worker.
247 * @param worker - A worker within `workers`.
249 protected abstract destroyWorker (worker
: Worker
): void | Promise
<void>
252 * Setup hook that can be overridden by a Poolifier pool implementation
253 * to run code before workers are created in the abstract constructor.
255 protected setupHook (): void {
260 * Should return whether the worker is the main worker or not.
262 protected abstract isMain (): boolean
265 * Hook executed before the worker task promise resolution.
268 * @param worker - The worker.
270 protected beforePromiseWorkerResponseHook (worker
: Worker
): void {
271 this.increaseWorkerRunningTasks(worker
)
275 * Hook executed after the worker task promise resolution.
278 * @param message - The received message.
279 * @param promise - The Promise response.
281 protected afterPromiseWorkerResponseHook (
282 message
: MessageValue
<Response
>,
283 promise
: PromiseWorkerResponseWrapper
<Worker
, Response
>
285 this.decreaseWorkerRunningTasks(promise
.worker
)
286 this.stepWorkerRunTasks(promise
.worker
, 1)
287 this.updateWorkerTasksRunTime(promise
.worker
, message
.taskRunTime
)
291 * Removes the given worker from the pool.
293 * @param worker - The worker that will be removed.
295 protected removeWorker (worker
: Worker
): void {
296 this.workers
.delete(this.getWorkerKey(worker
) as number)
301 * Chooses a worker for the next task.
303 * The default implementation uses a round robin algorithm to distribute the load.
307 protected chooseWorker (): Worker
{
308 return this.workerChoiceStrategyContext
.execute()
312 * Sends a message to the given worker.
314 * @param worker - The worker which should receive the message.
315 * @param message - The message.
317 protected abstract sendToWorker (
319 message
: MessageValue
<Data
>
323 * Registers a listener callback on a given worker.
325 * @param worker - The worker which should register a listener.
326 * @param listener - The message listener callback.
328 protected abstract registerWorkerMessageListener
<
329 Message
extends Data
| Response
330 >(worker
: Worker
, listener
: (message
: MessageValue
<Message
>) => void): void
333 * Returns a newly created worker.
335 protected abstract createWorker (): Worker
338 * Function that can be hooked up when a worker has been newly created and moved to the workers registry.
340 * Can be used to update the `maxListeners` or binding the `main-worker`\<-\>`worker` connection if not bind by default.
342 * @param worker - The newly created worker.
344 protected abstract afterWorkerSetup (worker
: Worker
): void
347 * Creates a new worker for this pool and sets it up completely.
349 * @returns New, completely set up worker.
351 protected createAndSetupWorker (): Worker
{
352 const worker
= this.createWorker()
354 worker
.on('message', this.opts
.messageHandler
?? EMPTY_FUNCTION
)
355 worker
.on('error', this.opts
.errorHandler
?? EMPTY_FUNCTION
)
356 worker
.on('online', this.opts
.onlineHandler
?? EMPTY_FUNCTION
)
357 worker
.on('exit', this.opts
.exitHandler
?? EMPTY_FUNCTION
)
358 worker
.once('exit', () => {
359 this.removeWorker(worker
)
362 this.setWorker(this.nextWorkerId
, worker
, {
370 this.afterWorkerSetup(worker
)
376 * This function is the listener registered for each worker.
378 * @returns The listener function to execute when a message is received from a worker.
380 protected workerListener (): (message
: MessageValue
<Response
>) => void {
382 if (message
.id
!== undefined) {
383 const promise
= this.promiseMap
.get(message
.id
)
384 if (promise
!== undefined) {
385 if (message
.error
!= null) {
386 promise
.reject(message
.error
)
388 promise
.resolve(message
.data
as Response
)
390 this.afterPromiseWorkerResponseHook(message
, promise
)
391 this.promiseMap
.delete(message
.id
)
397 private async internalExecute (
400 ): Promise
<Response
> {
401 this.beforePromiseWorkerResponseHook(worker
)
402 return await new Promise
<Response
>((resolve
, reject
) => {
403 this.promiseMap
.set(messageId
, { resolve
, reject
, worker
})
407 private checkAndEmitBusy (): void {
408 if (this.opts
.enableEvents
=== true && this.busy
) {
409 this.emitter
?.emit('busy')
414 * Increases the number of tasks that the given worker has applied.
416 * @param worker - Worker which running tasks is increased.
418 private increaseWorkerRunningTasks (worker
: Worker
): void {
419 this.stepWorkerRunningTasks(worker
, 1)
423 * Decreases the number of tasks that the given worker has applied.
425 * @param worker - Worker which running tasks is decreased.
427 private decreaseWorkerRunningTasks (worker
: Worker
): void {
428 this.stepWorkerRunningTasks(worker
, -1)
432 * Gets tasks usage of the given worker.
434 * @param worker - Worker which tasks usage is returned.
436 private getWorkerTasksUsage (worker
: Worker
): TasksUsage
| undefined {
437 if (this.checkWorker(worker
)) {
438 const workerKey
= this.getWorkerKey(worker
) as number
439 const workerEntry
= this.workers
.get(workerKey
) as WorkerType
<Worker
>
440 return workerEntry
.tasksUsage
445 * Steps the number of tasks that the given worker has applied.
447 * @param worker - Worker which running tasks are stepped.
448 * @param step - Number of running tasks step.
450 private stepWorkerRunningTasks (worker
: Worker
, step
: number): void {
452 (this.getWorkerTasksUsage(worker
) as TasksUsage
).running
+= step
456 * Steps the number of tasks that the given worker has run.
458 * @param worker - Worker which has run tasks.
459 * @param step - Number of run tasks step.
461 private stepWorkerRunTasks (worker
: Worker
, step
: number): void {
463 (this.getWorkerTasksUsage(worker
) as TasksUsage
).run
+= step
467 * Updates tasks runtime for the given worker.
469 * @param worker - Worker which run the task.
470 * @param taskRunTime - Worker task runtime.
472 private updateWorkerTasksRunTime (
474 taskRunTime
: number | undefined
477 this.workerChoiceStrategyContext
.getWorkerChoiceStrategy()
478 .requiredStatistics
.runTime
480 const workerTasksUsage
= this.getWorkerTasksUsage(worker
) as TasksUsage
481 workerTasksUsage
.runTime
+= taskRunTime
?? 0
482 if (workerTasksUsage
.run
!== 0) {
483 workerTasksUsage
.avgRunTime
=
484 workerTasksUsage
.runTime
/ workerTasksUsage
.run
490 * Sets the given worker.
492 * @param workerKey - The worker key.
493 * @param worker - The worker.
494 * @param tasksUsage - The worker tasks usage.
499 tasksUsage
: TasksUsage
501 this.workers
.set(workerKey
, {
508 * Checks if the given worker is registered in the pool.
510 * @param worker - Worker to check.
511 * @returns `true` if the worker is registered in the pool.
513 private checkWorker (worker
: Worker
): boolean {
514 if (this.getWorkerKey(worker
) == null) {
515 throw new Error('Worker could not be found in the pool')