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'
9 import { CircularArray
} from
'../circular-array'
10 import { Queue
} from
'../queue'
17 type TasksQueueOptions
19 import type { IWorker
, Task
, TasksUsage
, WorkerNode
} from
'./worker'
21 WorkerChoiceStrategies
,
22 type WorkerChoiceStrategy
,
23 type WorkerChoiceStrategyOptions
24 } from
'./selection-strategies/selection-strategies-types'
25 import { WorkerChoiceStrategyContext
} from
'./selection-strategies/worker-choice-strategy-context'
28 * Base class that implements some shared logic for all poolifier pools.
30 * @typeParam Worker - Type of worker which manages this pool.
31 * @typeParam Data - Type of data sent to the worker. This can only be serializable data.
32 * @typeParam Response - Type of execution response. This can only be serializable data.
34 export abstract class AbstractPool
<
35 Worker
extends IWorker
,
38 > implements IPool
<Worker
, Data
, Response
> {
40 public readonly workerNodes
: Array<WorkerNode
<Worker
, Data
>> = []
43 public readonly emitter
?: PoolEmitter
46 * The execution response promise map.
48 * - `key`: The message id of each submitted task.
49 * - `value`: An object that contains the worker, the execution response promise resolve and reject callbacks.
51 * When we receive a message from the worker, we get a map entry with the promise resolve/reject bound to the message id.
53 protected promiseResponseMap
: Map
<
55 PromiseResponseWrapper
<Worker
, Response
>
56 > = new Map
<string, PromiseResponseWrapper
<Worker
, Response
>>()
59 * Worker choice strategy context referencing a worker choice algorithm implementation.
61 * Default to 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
)
88 this.chooseWorkerNode
= this.chooseWorkerNode
.bind(this)
89 this.executeTask
= this.executeTask
.bind(this)
90 this.enqueueTask
= this.enqueueTask
.bind(this)
91 this.checkAndEmitEvents
= this.checkAndEmitEvents
.bind(this)
95 for (let i
= 1; i
<= this.numberOfWorkers
; i
++) {
96 this.createAndSetupWorker()
99 if (this.opts
.enableEvents
=== true) {
100 this.emitter
= new PoolEmitter()
102 this.workerChoiceStrategyContext
= new WorkerChoiceStrategyContext
<
108 this.opts
.workerChoiceStrategy
,
109 this.opts
.workerChoiceStrategyOptions
113 private checkFilePath (filePath
: string): void {
116 (typeof filePath
=== 'string' && filePath
.trim().length
=== 0)
118 throw new Error('Please specify a file with a worker implementation')
122 private checkNumberOfWorkers (numberOfWorkers
: number): void {
123 if (numberOfWorkers
== null) {
125 'Cannot instantiate a pool without specifying the number of workers'
127 } else if (!Number.isSafeInteger(numberOfWorkers
)) {
129 'Cannot instantiate a pool with a non integer number of workers'
131 } else if (numberOfWorkers
< 0) {
132 throw new RangeError(
133 'Cannot instantiate a pool with a negative number of workers'
135 } else if (this.type === PoolType
.FIXED
&& numberOfWorkers
=== 0) {
136 throw new Error('Cannot instantiate a fixed pool with no worker')
140 private checkPoolOptions (opts
: PoolOptions
<Worker
>): void {
141 this.opts
.workerChoiceStrategy
=
142 opts
.workerChoiceStrategy
?? WorkerChoiceStrategies
.ROUND_ROBIN
143 this.checkValidWorkerChoiceStrategy(this.opts
.workerChoiceStrategy
)
144 this.opts
.workerChoiceStrategyOptions
=
145 opts
.workerChoiceStrategyOptions
?? DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
146 this.opts
.enableEvents
= opts
.enableEvents
?? true
147 this.opts
.enableTasksQueue
= opts
.enableTasksQueue
?? false
148 if (this.opts
.enableTasksQueue
) {
149 this.checkValidTasksQueueOptions(
150 opts
.tasksQueueOptions
as TasksQueueOptions
152 this.opts
.tasksQueueOptions
= this.buildTasksQueueOptions(
153 opts
.tasksQueueOptions
as TasksQueueOptions
158 private checkValidWorkerChoiceStrategy (
159 workerChoiceStrategy
: WorkerChoiceStrategy
161 if (!Object.values(WorkerChoiceStrategies
).includes(workerChoiceStrategy
)) {
163 `Invalid worker choice strategy '${workerChoiceStrategy}'`
168 private checkValidTasksQueueOptions (
169 tasksQueueOptions
: TasksQueueOptions
171 if ((tasksQueueOptions
?.concurrency
as number) <= 0) {
173 `Invalid worker tasks concurrency '${
174 tasksQueueOptions.concurrency as number
181 public abstract get
type (): PoolType
184 * Number of tasks running in the pool.
186 private get
numberOfRunningTasks (): number {
187 return this.workerNodes
.reduce(
188 (accumulator
, workerNode
) => accumulator
+ workerNode
.tasksUsage
.running
,
194 * Number of tasks queued in the pool.
196 private get
numberOfQueuedTasks (): number {
197 if (this.opts
.enableTasksQueue
=== false) {
200 return this.workerNodes
.reduce(
201 (accumulator
, workerNode
) => accumulator
+ workerNode
.tasksQueue
.size
,
207 * Gets the given worker its worker node key.
209 * @param worker - The worker.
210 * @returns The worker node key if the worker is found in the pool worker nodes, `-1` otherwise.
212 private getWorkerNodeKey (worker
: Worker
): number {
213 return this.workerNodes
.findIndex(
214 workerNode
=> workerNode
.worker
=== worker
219 public setWorkerChoiceStrategy (
220 workerChoiceStrategy
: WorkerChoiceStrategy
,
221 workerChoiceStrategyOptions
?: WorkerChoiceStrategyOptions
223 this.checkValidWorkerChoiceStrategy(workerChoiceStrategy
)
224 this.opts
.workerChoiceStrategy
= workerChoiceStrategy
225 for (const workerNode
of this.workerNodes
) {
226 this.setWorkerNodeTasksUsage(workerNode
, {
230 runTimeHistory
: new CircularArray(),
236 this.workerChoiceStrategyContext
.setWorkerChoiceStrategy(
237 this.opts
.workerChoiceStrategy
239 if (workerChoiceStrategyOptions
!= null) {
240 this.setWorkerChoiceStrategyOptions(workerChoiceStrategyOptions
)
245 public setWorkerChoiceStrategyOptions (
246 workerChoiceStrategyOptions
: WorkerChoiceStrategyOptions
248 this.opts
.workerChoiceStrategyOptions
= workerChoiceStrategyOptions
249 this.workerChoiceStrategyContext
.setOptions(
250 this.opts
.workerChoiceStrategyOptions
255 public enableTasksQueue (
257 tasksQueueOptions
?: TasksQueueOptions
259 if (this.opts
.enableTasksQueue
=== true && !enable
) {
260 this.flushTasksQueues()
262 this.opts
.enableTasksQueue
= enable
263 this.setTasksQueueOptions(tasksQueueOptions
as TasksQueueOptions
)
267 public setTasksQueueOptions (tasksQueueOptions
: TasksQueueOptions
): void {
268 if (this.opts
.enableTasksQueue
=== true) {
269 this.checkValidTasksQueueOptions(tasksQueueOptions
)
270 this.opts
.tasksQueueOptions
=
271 this.buildTasksQueueOptions(tasksQueueOptions
)
273 delete this.opts
.tasksQueueOptions
277 private buildTasksQueueOptions (
278 tasksQueueOptions
: TasksQueueOptions
279 ): TasksQueueOptions
{
281 concurrency
: tasksQueueOptions
?.concurrency
?? 1
286 * Whether the pool is full or not.
288 * The pool filling boolean status.
290 protected abstract get
full (): boolean
293 * Whether the pool is busy or not.
295 * The pool busyness boolean status.
297 protected abstract get
busy (): boolean
299 protected internalBusy (): boolean {
301 this.workerNodes
.findIndex(workerNode
=> {
302 return workerNode
.tasksUsage
?.running
=== 0
308 public async execute (data
?: Data
, name
?: string): Promise
<Response
> {
309 const [workerNodeKey
, workerNode
] = this.chooseWorkerNode()
310 const submittedTask
: Task
<Data
> = {
312 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
313 data
: data
?? ({} as Data
),
314 id
: crypto
.randomUUID()
316 const res
= new Promise
<Response
>((resolve
, reject
) => {
317 this.promiseResponseMap
.set(submittedTask
.id
as string, {
320 worker
: workerNode
.worker
324 this.opts
.enableTasksQueue
=== true &&
326 this.workerNodes
[workerNodeKey
].tasksUsage
.running
>=
327 ((this.opts
.tasksQueueOptions
as TasksQueueOptions
)
328 .concurrency
as number))
330 this.enqueueTask(workerNodeKey
, submittedTask
)
332 this.executeTask(workerNodeKey
, submittedTask
)
334 this.checkAndEmitEvents()
335 // eslint-disable-next-line @typescript-eslint/return-await
340 public async destroy (): Promise
<void> {
342 this.workerNodes
.map(async (workerNode
, workerNodeKey
) => {
343 this.flushTasksQueue(workerNodeKey
)
344 await this.destroyWorker(workerNode
.worker
)
350 * Shutdowns the given worker.
352 * @param worker - A worker within `workerNodes`.
354 protected abstract destroyWorker (worker
: Worker
): void | Promise
<void>
357 * Setup hook to execute code before worker node are created in the abstract constructor.
362 protected setupHook (): void {
363 // Intentionally empty
367 * Should return whether the worker is the main worker or not.
369 protected abstract isMain (): boolean
372 * Hook executed before the worker task execution.
375 * @param workerNodeKey - The worker node key.
377 protected beforeTaskExecutionHook (workerNodeKey
: number): void {
378 ++this.workerNodes
[workerNodeKey
].tasksUsage
.running
382 * Hook executed after the worker task execution.
385 * @param worker - The worker.
386 * @param message - The received message.
388 protected afterTaskExecutionHook (
390 message
: MessageValue
<Response
>
392 const workerTasksUsage
= this.getWorkerTasksUsage(worker
)
393 --workerTasksUsage
.running
394 ++workerTasksUsage
.run
395 if (message
.error
!= null) {
396 ++workerTasksUsage
.error
398 if (this.workerChoiceStrategyContext
.getRequiredStatistics().runTime
) {
399 workerTasksUsage
.runTime
+= message
.runTime
?? 0
401 this.workerChoiceStrategyContext
.getRequiredStatistics().avgRunTime
&&
402 workerTasksUsage
.run
!== 0
404 workerTasksUsage
.avgRunTime
=
405 workerTasksUsage
.runTime
/ workerTasksUsage
.run
407 if (this.workerChoiceStrategyContext
.getRequiredStatistics().medRunTime
) {
408 workerTasksUsage
.runTimeHistory
.push(message
.runTime
?? 0)
409 workerTasksUsage
.medRunTime
= median(workerTasksUsage
.runTimeHistory
)
415 * Chooses a worker node for the next task.
417 * The default uses a round robin algorithm to distribute the load.
419 * @returns [worker node key, worker node].
421 protected chooseWorkerNode (): [number, WorkerNode
<Worker
, Data
>] {
422 let workerNodeKey
: number
423 if (this.type === PoolType
.DYNAMIC
&& !this.full
&& this.internalBusy()) {
424 const workerCreated
= this.createAndSetupWorker()
425 this.registerWorkerMessageListener(workerCreated
, message
=> {
427 isKillBehavior(KillBehaviors
.HARD
, message
.kill
) ||
428 (message
.kill
!= null &&
429 this.getWorkerTasksUsage(workerCreated
)?.running
=== 0)
431 // Kill message received from the worker: no new tasks are submitted to that worker for a while ( > maxInactiveTime)
432 this.flushTasksQueueByWorker(workerCreated
)
433 void (this.destroyWorker(workerCreated
) as Promise
<void>)
436 workerNodeKey
= this.getWorkerNodeKey(workerCreated
)
438 workerNodeKey
= this.workerChoiceStrategyContext
.execute()
440 return [workerNodeKey
, this.workerNodes
[workerNodeKey
]]
444 * Sends a message to the given worker.
446 * @param worker - The worker which should receive the message.
447 * @param message - The message.
449 protected abstract sendToWorker (
451 message
: MessageValue
<Data
>
455 * Registers a listener callback on the given worker.
457 * @param worker - The worker which should register a listener.
458 * @param listener - The message listener callback.
460 protected abstract registerWorkerMessageListener
<
461 Message
extends Data
| Response
462 >(worker
: Worker
, listener
: (message
: MessageValue
<Message
>) => void): void
465 * Returns a newly created worker.
467 protected abstract createWorker (): Worker
470 * Function that can be hooked up when a worker has been newly created and moved to the pool worker nodes.
472 * Can be used to update the `maxListeners` or binding the `main-worker`\<-\>`worker` connection if not bind by default.
474 * @param worker - The newly created worker.
476 protected abstract afterWorkerSetup (worker
: Worker
): void
479 * Creates a new worker and sets it up completely in the pool worker nodes.
481 * @returns New, completely set up worker.
483 protected createAndSetupWorker (): Worker
{
484 const worker
= this.createWorker()
486 worker
.on('message', this.opts
.messageHandler
?? EMPTY_FUNCTION
)
487 worker
.on('error', this.opts
.errorHandler
?? EMPTY_FUNCTION
)
488 worker
.on('online', this.opts
.onlineHandler
?? EMPTY_FUNCTION
)
489 worker
.on('exit', this.opts
.exitHandler
?? EMPTY_FUNCTION
)
490 worker
.once('exit', () => {
491 this.removeWorkerNode(worker
)
494 this.pushWorkerNode(worker
)
496 this.afterWorkerSetup(worker
)
502 * This function is the listener registered for each worker message.
504 * @returns The listener function to execute when a message is received from a worker.
506 protected workerListener (): (message
: MessageValue
<Response
>) => void {
508 if (message
.id
!= null) {
509 // Task execution response received
510 const promiseResponse
= this.promiseResponseMap
.get(message
.id
)
511 if (promiseResponse
!= null) {
512 if (message
.error
!= null) {
513 promiseResponse
.reject(message
.error
)
515 promiseResponse
.resolve(message
.data
as Response
)
517 this.afterTaskExecutionHook(promiseResponse
.worker
, message
)
518 this.promiseResponseMap
.delete(message
.id
)
519 const workerNodeKey
= this.getWorkerNodeKey(promiseResponse
.worker
)
521 this.opts
.enableTasksQueue
=== true &&
522 this.tasksQueueSize(workerNodeKey
) > 0
526 this.dequeueTask(workerNodeKey
) as Task
<Data
>
534 private checkAndEmitEvents (): void {
535 if (this.opts
.enableEvents
=== true) {
537 this.emitter
?.emit(PoolEvents
.busy
)
539 if (this.type === PoolType
.DYNAMIC
&& this.full
) {
540 this.emitter
?.emit(PoolEvents
.full
)
546 * Sets the given worker node its tasks usage in the pool.
548 * @param workerNode - The worker node.
549 * @param tasksUsage - The worker node tasks usage.
551 private setWorkerNodeTasksUsage (
552 workerNode
: WorkerNode
<Worker
, Data
>,
553 tasksUsage
: TasksUsage
555 workerNode
.tasksUsage
= tasksUsage
559 * Gets the given worker its tasks usage in the pool.
561 * @param worker - The worker.
562 * @throws Error if the worker is not found in the pool worker nodes.
563 * @returns The worker tasks usage.
565 private getWorkerTasksUsage (worker
: Worker
): TasksUsage
{
566 const workerNodeKey
= this.getWorkerNodeKey(worker
)
567 if (workerNodeKey
!== -1) {
568 return this.workerNodes
[workerNodeKey
].tasksUsage
570 throw new Error('Worker could not be found in the pool worker nodes')
574 * Pushes the given worker in the pool worker nodes.
576 * @param worker - The worker.
577 * @returns The worker nodes length.
579 private pushWorkerNode (worker
: Worker
): number {
580 return this.workerNodes
.push({
586 runTimeHistory
: new CircularArray(),
591 tasksQueue
: new Queue
<Task
<Data
>>()
596 * Sets the given worker in the pool worker nodes.
598 * @param workerNodeKey - The worker node key.
599 * @param worker - The worker.
600 * @param tasksUsage - The worker tasks usage.
601 * @param tasksQueue - The worker task queue.
603 private setWorkerNode (
604 workerNodeKey
: number,
606 tasksUsage
: TasksUsage
,
607 tasksQueue
: Queue
<Task
<Data
>>
609 this.workerNodes
[workerNodeKey
] = {
617 * Removes the given worker from the pool worker nodes.
619 * @param worker - The worker.
621 private removeWorkerNode (worker
: Worker
): void {
622 const workerNodeKey
= this.getWorkerNodeKey(worker
)
623 this.workerNodes
.splice(workerNodeKey
, 1)
624 this.workerChoiceStrategyContext
.remove(workerNodeKey
)
627 private executeTask (workerNodeKey
: number, task
: Task
<Data
>): void {
628 this.beforeTaskExecutionHook(workerNodeKey
)
629 this.sendToWorker(this.workerNodes
[workerNodeKey
].worker
, task
)
632 private enqueueTask (workerNodeKey
: number, task
: Task
<Data
>): number {
633 return this.workerNodes
[workerNodeKey
].tasksQueue
.enqueue(task
)
636 private dequeueTask (workerNodeKey
: number): Task
<Data
> | undefined {
637 return this.workerNodes
[workerNodeKey
].tasksQueue
.dequeue()
640 private tasksQueueSize (workerNodeKey
: number): number {
641 return this.workerNodes
[workerNodeKey
].tasksQueue
.size
644 private flushTasksQueue (workerNodeKey
: number): void {
645 if (this.tasksQueueSize(workerNodeKey
) > 0) {
646 for (let i
= 0; i
< this.tasksQueueSize(workerNodeKey
); i
++) {
649 this.dequeueTask(workerNodeKey
) as Task
<Data
>
655 private flushTasksQueueByWorker (worker
: Worker
): void {
656 const workerNodeKey
= this.getWorkerNodeKey(worker
)
657 this.flushTasksQueue(workerNodeKey
)
660 private flushTasksQueues (): void {
661 for (const [workerNodeKey
] of this.workerNodes
.entries()) {
662 this.flushTasksQueue(workerNodeKey
)