1 import crypto from
'node:crypto'
2 import type { MessageValue
, PromiseResponseWrapper
} from
'../utility-types'
4 DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
,
8 import { KillBehaviors
, isKillBehavior
} from
'../worker/worker-options'
13 type TasksQueueOptions
,
16 import { PoolEmitter
} from
'./pool'
17 import type { IWorker
, Task
, TasksUsage
, WorkerNode
} from
'./worker'
19 WorkerChoiceStrategies
,
20 type WorkerChoiceStrategy
,
21 type WorkerChoiceStrategyOptions
22 } from
'./selection-strategies/selection-strategies-types'
23 import { WorkerChoiceStrategyContext
} from
'./selection-strategies/worker-choice-strategy-context'
24 import { CircularArray
} from
'../circular-array'
27 * Base class that implements some shared logic for all poolifier pools.
29 * @typeParam Worker - Type of worker which manages this pool.
30 * @typeParam Data - Type of data sent to the worker. This can only be serializable data.
31 * @typeParam Response - Type of execution response. This can only be serializable data.
33 export abstract class AbstractPool
<
34 Worker
extends IWorker
,
37 > implements IPool
<Worker
, Data
, Response
> {
39 public readonly workerNodes
: Array<WorkerNode
<Worker
, Data
>> = []
42 public readonly emitter
?: PoolEmitter
45 * The execution response promise map.
47 * - `key`: The message id of each submitted task.
48 * - `value`: An object that contains the worker, the execution response promise resolve and reject callbacks.
50 * When we receive a message from the worker, we get a map entry with the promise resolve/reject bound to the message id.
52 protected promiseResponseMap
: Map
<
54 PromiseResponseWrapper
<Worker
, Response
>
55 > = new Map
<string, PromiseResponseWrapper
<Worker
, Response
>>()
58 * Worker choice strategy context referencing a worker choice algorithm implementation.
60 * Default to a round robin algorithm.
62 protected workerChoiceStrategyContext
: WorkerChoiceStrategyContext
<
69 * Constructs a new poolifier pool.
71 * @param numberOfWorkers - Number of workers that this pool should manage.
72 * @param filePath - Path to the worker file.
73 * @param opts - Options for the pool.
76 public readonly numberOfWorkers
: number,
77 public readonly filePath
: string,
78 public readonly opts
: PoolOptions
<Worker
>
81 throw new Error('Cannot start a pool from a worker!')
83 this.checkNumberOfWorkers(this.numberOfWorkers
)
84 this.checkFilePath(this.filePath
)
85 this.checkPoolOptions(this.opts
)
87 this.chooseWorkerNode
.bind(this)
88 this.executeTask
.bind(this)
89 this.enqueueTask
.bind(this)
90 this.checkAndEmitEvents
.bind(this)
94 for (let i
= 1; i
<= this.numberOfWorkers
; i
++) {
95 this.createAndSetupWorker()
98 if (this.opts
.enableEvents
=== true) {
99 this.emitter
= new PoolEmitter()
101 this.workerChoiceStrategyContext
= new WorkerChoiceStrategyContext
<
107 this.opts
.workerChoiceStrategy
,
108 this.opts
.workerChoiceStrategyOptions
112 private checkFilePath (filePath
: string): void {
115 (typeof filePath
=== 'string' && filePath
.trim().length
=== 0)
117 throw new Error('Please specify a file with a worker implementation')
121 private checkNumberOfWorkers (numberOfWorkers
: number): void {
122 if (numberOfWorkers
== null) {
124 'Cannot instantiate a pool without specifying the number of workers'
126 } else if (!Number.isSafeInteger(numberOfWorkers
)) {
128 'Cannot instantiate a pool with a non integer number of workers'
130 } else if (numberOfWorkers
< 0) {
131 throw new RangeError(
132 'Cannot instantiate a pool with a negative number of workers'
134 } else if (this.type === PoolType
.FIXED
&& numberOfWorkers
=== 0) {
135 throw new Error('Cannot instantiate a fixed pool with no worker')
139 private checkPoolOptions (opts
: PoolOptions
<Worker
>): void {
140 this.opts
.workerChoiceStrategy
=
141 opts
.workerChoiceStrategy
?? WorkerChoiceStrategies
.ROUND_ROBIN
142 this.checkValidWorkerChoiceStrategy(this.opts
.workerChoiceStrategy
)
143 this.opts
.workerChoiceStrategyOptions
=
144 opts
.workerChoiceStrategyOptions
?? DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
145 this.opts
.enableEvents
= opts
.enableEvents
?? true
146 this.opts
.enableTasksQueue
= opts
.enableTasksQueue
?? false
147 if (this.opts
.enableTasksQueue
) {
148 this.checkValidTasksQueueOptions(
149 opts
.tasksQueueOptions
as TasksQueueOptions
151 this.opts
.tasksQueueOptions
= this.buildTasksQueueOptions(
152 opts
.tasksQueueOptions
as TasksQueueOptions
157 private checkValidWorkerChoiceStrategy (
158 workerChoiceStrategy
: WorkerChoiceStrategy
160 if (!Object.values(WorkerChoiceStrategies
).includes(workerChoiceStrategy
)) {
162 `Invalid worker choice strategy '${workerChoiceStrategy}'`
167 private checkValidTasksQueueOptions (
168 tasksQueueOptions
: TasksQueueOptions
170 if ((tasksQueueOptions
?.concurrency
as number) <= 0) {
172 `Invalid worker tasks concurrency '${
173 tasksQueueOptions.concurrency as number
180 public abstract get
type (): PoolType
183 * Number of tasks running in the pool.
185 private get
numberOfRunningTasks (): number {
186 return this.workerNodes
.reduce(
187 (accumulator
, workerNode
) => accumulator
+ workerNode
.tasksUsage
.running
,
193 * Number of tasks queued in the pool.
195 private get
numberOfQueuedTasks (): number {
196 if (this.opts
.enableTasksQueue
=== false) {
199 return this.workerNodes
.reduce(
200 (accumulator
, workerNode
) => accumulator
+ workerNode
.tasksQueue
.length
,
206 * Gets the given worker its worker node key.
208 * @param worker - The worker.
209 * @returns The worker node key if the worker is found in the pool worker nodes, `-1` otherwise.
211 private getWorkerNodeKey (worker
: Worker
): number {
212 return this.workerNodes
.findIndex(
213 workerNode
=> workerNode
.worker
=== worker
218 public setWorkerChoiceStrategy (
219 workerChoiceStrategy
: WorkerChoiceStrategy
,
220 workerChoiceStrategyOptions
?: WorkerChoiceStrategyOptions
222 this.checkValidWorkerChoiceStrategy(workerChoiceStrategy
)
223 this.opts
.workerChoiceStrategy
= workerChoiceStrategy
224 for (const workerNode
of this.workerNodes
) {
225 this.setWorkerNodeTasksUsage(workerNode
, {
229 runTimeHistory
: new CircularArray(),
235 this.workerChoiceStrategyContext
.setWorkerChoiceStrategy(
236 this.opts
.workerChoiceStrategy
238 if (workerChoiceStrategyOptions
!= null) {
239 this.setWorkerChoiceStrategyOptions(workerChoiceStrategyOptions
)
244 public setWorkerChoiceStrategyOptions (
245 workerChoiceStrategyOptions
: WorkerChoiceStrategyOptions
247 this.opts
.workerChoiceStrategyOptions
= workerChoiceStrategyOptions
248 this.workerChoiceStrategyContext
.setOptions(
249 this.opts
.workerChoiceStrategyOptions
254 public enableTasksQueue (
256 tasksQueueOptions
?: TasksQueueOptions
258 if (this.opts
.enableTasksQueue
=== true && !enable
) {
259 this.flushTasksQueues()
261 this.opts
.enableTasksQueue
= enable
262 this.setTasksQueueOptions(tasksQueueOptions
as TasksQueueOptions
)
266 public setTasksQueueOptions (tasksQueueOptions
: TasksQueueOptions
): void {
267 if (this.opts
.enableTasksQueue
=== true) {
268 this.checkValidTasksQueueOptions(tasksQueueOptions
)
269 this.opts
.tasksQueueOptions
=
270 this.buildTasksQueueOptions(tasksQueueOptions
)
272 delete this.opts
.tasksQueueOptions
276 private buildTasksQueueOptions (
277 tasksQueueOptions
: TasksQueueOptions
278 ): TasksQueueOptions
{
280 concurrency
: tasksQueueOptions
?.concurrency
?? 1
285 * Whether the pool is full or not.
287 * The pool filling boolean status.
289 protected abstract get
full (): boolean
292 * Whether the pool is busy or not.
294 * The pool busyness boolean status.
296 protected abstract get
busy (): boolean
298 protected internalBusy (): boolean {
299 return this.findFreeWorkerNodeKey() === -1
303 public findFreeWorkerNodeKey (): number {
304 return this.workerNodes
.findIndex(workerNode
=> {
305 return workerNode
.tasksUsage
?.running
=== 0
310 public async execute (data
?: Data
): Promise
<Response
> {
311 const [workerNodeKey
, workerNode
] = this.chooseWorkerNode()
312 const submittedTask
: Task
<Data
> = {
313 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
314 data
: data
?? ({} as Data
),
315 id
: crypto
.randomUUID()
317 const res
= new Promise
<Response
>((resolve
, reject
) => {
318 this.promiseResponseMap
.set(submittedTask
.id
as string, {
321 worker
: workerNode
.worker
325 this.opts
.enableTasksQueue
=== true &&
327 this.workerNodes
[workerNodeKey
].tasksUsage
.running
>=
328 ((this.opts
.tasksQueueOptions
as TasksQueueOptions
)
329 .concurrency
as number))
331 this.enqueueTask(workerNodeKey
, submittedTask
)
333 this.executeTask(workerNodeKey
, submittedTask
)
335 this.checkAndEmitEvents()
336 // eslint-disable-next-line @typescript-eslint/return-await
341 public async destroy (): Promise
<void> {
343 this.workerNodes
.map(async (workerNode
, workerNodeKey
) => {
344 this.flushTasksQueue(workerNodeKey
)
345 await this.destroyWorker(workerNode
.worker
)
351 * Shutdowns the given worker.
353 * @param worker - A worker within `workerNodes`.
355 protected abstract destroyWorker (worker
: Worker
): void | Promise
<void>
358 * Setup hook to execute code before worker node are created in the abstract constructor.
363 protected setupHook (): void {
364 // Intentionally empty
368 * Should return whether the worker is the main worker or not.
370 protected abstract isMain (): boolean
373 * Hook executed before the worker task execution.
376 * @param workerNodeKey - The worker node key.
378 protected beforeTaskExecutionHook (workerNodeKey
: number): void {
379 ++this.workerNodes
[workerNodeKey
].tasksUsage
.running
383 * Hook executed after the worker task execution.
386 * @param worker - The worker.
387 * @param message - The received message.
389 protected afterTaskExecutionHook (
391 message
: MessageValue
<Response
>
393 const workerTasksUsage
= this.getWorkerTasksUsage(worker
) as TasksUsage
394 --workerTasksUsage
.running
395 ++workerTasksUsage
.run
396 if (message
.error
!= null) {
397 ++workerTasksUsage
.error
399 if (this.workerChoiceStrategyContext
.getRequiredStatistics().runTime
) {
400 workerTasksUsage
.runTime
+= message
.runTime
?? 0
402 this.workerChoiceStrategyContext
.getRequiredStatistics().avgRunTime
&&
403 workerTasksUsage
.run
!== 0
405 workerTasksUsage
.avgRunTime
=
406 workerTasksUsage
.runTime
/ workerTasksUsage
.run
408 if (this.workerChoiceStrategyContext
.getRequiredStatistics().medRunTime
) {
409 workerTasksUsage
.runTimeHistory
.push(message
.runTime
?? 0)
410 workerTasksUsage
.medRunTime
= median(workerTasksUsage
.runTimeHistory
)
416 * Chooses a worker node for the next task.
418 * The default uses a round robin algorithm to distribute the load.
420 * @returns [worker node key, worker node].
422 protected chooseWorkerNode (): [number, WorkerNode
<Worker
, Data
>] {
423 let workerNodeKey
: number
424 if (this.type === PoolType
.DYNAMIC
&& !this.full
&& this.internalBusy()) {
425 const workerCreated
= this.createAndSetupWorker()
426 this.registerWorkerMessageListener(workerCreated
, message
=> {
428 isKillBehavior(KillBehaviors
.HARD
, message
.kill
) ||
429 (message
.kill
!= null &&
430 this.getWorkerTasksUsage(workerCreated
)?.running
=== 0)
432 // Kill message received from the worker: no new tasks are submitted to that worker for a while ( > maxInactiveTime)
433 this.flushTasksQueueByWorker(workerCreated
)
434 void this.destroyWorker(workerCreated
)
437 workerNodeKey
= this.getWorkerNodeKey(workerCreated
)
439 workerNodeKey
= this.workerChoiceStrategyContext
.execute()
441 return [workerNodeKey
, this.workerNodes
[workerNodeKey
]]
445 * Sends a message to the given worker.
447 * @param worker - The worker which should receive the message.
448 * @param message - The message.
450 protected abstract sendToWorker (
452 message
: MessageValue
<Data
>
456 * Registers a listener callback on the given worker.
458 * @param worker - The worker which should register a listener.
459 * @param listener - The message listener callback.
461 protected abstract registerWorkerMessageListener
<
462 Message
extends Data
| Response
463 >(worker
: Worker
, listener
: (message
: MessageValue
<Message
>) => void): void
466 * Returns a newly created worker.
468 protected abstract createWorker (): Worker
471 * Function that can be hooked up when a worker has been newly created and moved to the pool worker nodes.
473 * Can be used to update the `maxListeners` or binding the `main-worker`\<-\>`worker` connection if not bind by default.
475 * @param worker - The newly created worker.
477 protected abstract afterWorkerSetup (worker
: Worker
): void
480 * Creates a new worker and sets it up completely in the pool worker nodes.
482 * @returns New, completely set up worker.
484 protected createAndSetupWorker (): Worker
{
485 const worker
= this.createWorker()
487 worker
.on('message', this.opts
.messageHandler
?? EMPTY_FUNCTION
)
488 worker
.on('error', this.opts
.errorHandler
?? EMPTY_FUNCTION
)
489 worker
.on('online', this.opts
.onlineHandler
?? EMPTY_FUNCTION
)
490 worker
.on('exit', this.opts
.exitHandler
?? EMPTY_FUNCTION
)
491 worker
.once('exit', () => {
492 this.removeWorkerNode(worker
)
495 this.pushWorkerNode(worker
)
497 this.afterWorkerSetup(worker
)
503 * This function is the listener registered for each worker message.
505 * @returns The listener function to execute when a message is received from a worker.
507 protected workerListener (): (message
: MessageValue
<Response
>) => void {
509 if (message
.id
!= null) {
510 // Task execution response received
511 const promiseResponse
= this.promiseResponseMap
.get(message
.id
)
512 if (promiseResponse
!= null) {
513 if (message
.error
!= null) {
514 promiseResponse
.reject(message
.error
)
516 promiseResponse
.resolve(message
.data
as Response
)
518 this.afterTaskExecutionHook(promiseResponse
.worker
, message
)
519 this.promiseResponseMap
.delete(message
.id
)
520 const workerNodeKey
= this.getWorkerNodeKey(promiseResponse
.worker
)
522 this.opts
.enableTasksQueue
=== true &&
523 this.tasksQueueSize(workerNodeKey
) > 0
527 this.dequeueTask(workerNodeKey
) as Task
<Data
>
535 private checkAndEmitEvents (): void {
536 if (this.opts
.enableEvents
=== true) {
538 this.emitter
?.emit(PoolEvents
.busy
)
540 if (this.type === PoolType
.DYNAMIC
&& this.full
) {
541 this.emitter
?.emit(PoolEvents
.full
)
547 * Sets the given worker node its tasks usage in the pool.
549 * @param workerNode - The worker node.
550 * @param tasksUsage - The worker node tasks usage.
552 private setWorkerNodeTasksUsage (
553 workerNode
: WorkerNode
<Worker
, Data
>,
554 tasksUsage
: TasksUsage
556 workerNode
.tasksUsage
= tasksUsage
560 * Gets the given worker its tasks usage in the pool.
562 * @param worker - The worker.
563 * @throws Error if the worker is not found in the pool worker nodes.
564 * @returns The worker tasks usage.
566 private getWorkerTasksUsage (worker
: Worker
): TasksUsage
| undefined {
567 const workerNodeKey
= this.getWorkerNodeKey(worker
)
568 if (workerNodeKey
!== -1) {
569 return this.workerNodes
[workerNodeKey
].tasksUsage
571 throw new Error('Worker could not be found in the pool worker nodes')
575 * Pushes the given worker in the pool worker nodes.
577 * @param worker - The worker.
578 * @returns The worker nodes length.
580 private pushWorkerNode (worker
: Worker
): number {
581 return this.workerNodes
.push({
587 runTimeHistory
: new CircularArray(),
597 * Sets the given worker in the pool worker nodes.
599 * @param workerNodeKey - The worker node key.
600 * @param worker - The worker.
601 * @param tasksUsage - The worker tasks usage.
602 * @param tasksQueue - The worker task queue.
604 private setWorkerNode (
605 workerNodeKey
: number,
607 tasksUsage
: TasksUsage
,
608 tasksQueue
: Array<Task
<Data
>>
610 this.workerNodes
[workerNodeKey
] = {
618 * Removes the given worker from the pool worker nodes.
620 * @param worker - The worker.
622 private removeWorkerNode (worker
: Worker
): void {
623 const workerNodeKey
= this.getWorkerNodeKey(worker
)
624 this.workerNodes
.splice(workerNodeKey
, 1)
625 this.workerChoiceStrategyContext
.remove(workerNodeKey
)
628 private executeTask (workerNodeKey
: number, task
: Task
<Data
>): void {
629 this.beforeTaskExecutionHook(workerNodeKey
)
630 this.sendToWorker(this.workerNodes
[workerNodeKey
].worker
, task
)
633 private enqueueTask (workerNodeKey
: number, task
: Task
<Data
>): number {
634 return this.workerNodes
[workerNodeKey
].tasksQueue
.push(task
)
637 private dequeueTask (workerNodeKey
: number): Task
<Data
> | undefined {
638 return this.workerNodes
[workerNodeKey
].tasksQueue
.shift()
641 private tasksQueueSize (workerNodeKey
: number): number {
642 return this.workerNodes
[workerNodeKey
].tasksQueue
.length
645 private flushTasksQueue (workerNodeKey
: number): void {
646 if (this.tasksQueueSize(workerNodeKey
) > 0) {
647 for (const task
of this.workerNodes
[workerNodeKey
].tasksQueue
) {
648 this.executeTask(workerNodeKey
, task
)
653 private flushTasksQueueByWorker (worker
: Worker
): void {
654 const workerNodeKey
= this.getWorkerNodeKey(worker
)
655 this.flushTasksQueue(workerNodeKey
)
658 private flushTasksQueues (): void {
659 for (const [workerNodeKey
] of this.workerNodes
.entries()) {
660 this.flushTasksQueue(workerNodeKey
)