1 import { randomUUID
} from
'node:crypto'
2 import { performance
} from
'node:perf_hooks'
3 import { existsSync
} from
'node:fs'
4 import { type TransferListItem
} from
'node:worker_threads'
7 PromiseResponseWrapper
,
9 } from
'../utility-types'
12 DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
,
18 updateMeasurementStatistics
20 import { KillBehaviors
} from
'../worker/worker-options'
29 type TasksQueueOptions
39 type MeasurementStatisticsRequirements
,
41 WorkerChoiceStrategies
,
42 type WorkerChoiceStrategy
,
43 type WorkerChoiceStrategyOptions
44 } from
'./selection-strategies/selection-strategies-types'
45 import { WorkerChoiceStrategyContext
} from
'./selection-strategies/worker-choice-strategy-context'
46 import { version
} from
'./version'
47 import { WorkerNode
} from
'./worker-node'
50 * Base class that implements some shared logic for all poolifier pools.
52 * @typeParam Worker - Type of worker which manages this pool.
53 * @typeParam Data - Type of data sent to the worker. This can only be structured-cloneable data.
54 * @typeParam Response - Type of execution response. This can only be structured-cloneable data.
56 export abstract class AbstractPool
<
57 Worker
extends IWorker
,
60 > implements IPool
<Worker
, Data
, Response
> {
62 public readonly workerNodes
: Array<IWorkerNode
<Worker
, Data
>> = []
65 public readonly emitter
?: PoolEmitter
68 * The task execution response promise map.
70 * - `key`: The message id of each submitted task.
71 * - `value`: An object that contains the worker, the execution response promise resolve and reject callbacks.
73 * When we receive a message from the worker, we get a map entry with the promise resolve/reject bound to the message id.
75 protected promiseResponseMap
: Map
<string, PromiseResponseWrapper
<Response
>> =
76 new Map
<string, PromiseResponseWrapper
<Response
>>()
79 * Worker choice strategy context referencing a worker choice algorithm implementation.
81 protected workerChoiceStrategyContext
: WorkerChoiceStrategyContext
<
88 * Whether the pool is starting or not.
90 private readonly starting
: boolean
92 * The start timestamp of the pool.
94 private readonly startTimestamp
97 * Constructs a new poolifier pool.
99 * @param numberOfWorkers - Number of workers that this pool should manage.
100 * @param filePath - Path to the worker file.
101 * @param opts - Options for the pool.
104 protected readonly numberOfWorkers
: number,
105 protected readonly filePath
: string,
106 protected readonly opts
: PoolOptions
<Worker
>
108 if (!this.isMain()) {
110 'Cannot start a pool from a worker with the same type as the pool'
113 this.checkNumberOfWorkers(this.numberOfWorkers
)
114 this.checkFilePath(this.filePath
)
115 this.checkPoolOptions(this.opts
)
117 this.chooseWorkerNode
= this.chooseWorkerNode
.bind(this)
118 this.executeTask
= this.executeTask
.bind(this)
119 this.enqueueTask
= this.enqueueTask
.bind(this)
120 this.dequeueTask
= this.dequeueTask
.bind(this)
121 this.checkAndEmitEvents
= this.checkAndEmitEvents
.bind(this)
123 if (this.opts
.enableEvents
=== true) {
124 this.emitter
= new PoolEmitter()
126 this.workerChoiceStrategyContext
= new WorkerChoiceStrategyContext
<
132 this.opts
.workerChoiceStrategy
,
133 this.opts
.workerChoiceStrategyOptions
140 this.starting
= false
142 this.startTimestamp
= performance
.now()
145 private checkFilePath (filePath
: string): void {
148 typeof filePath
!== 'string' ||
149 (typeof filePath
=== 'string' && filePath
.trim().length
=== 0)
151 throw new Error('Please specify a file with a worker implementation')
153 if (!existsSync(filePath
)) {
154 throw new Error(`Cannot find the worker file '${filePath}'`)
158 private checkNumberOfWorkers (numberOfWorkers
: number): void {
159 if (numberOfWorkers
== null) {
161 'Cannot instantiate a pool without specifying the number of workers'
163 } else if (!Number.isSafeInteger(numberOfWorkers
)) {
165 'Cannot instantiate a pool with a non safe integer number of workers'
167 } else if (numberOfWorkers
< 0) {
168 throw new RangeError(
169 'Cannot instantiate a pool with a negative number of workers'
171 } else if (this.type === PoolTypes
.fixed
&& numberOfWorkers
=== 0) {
172 throw new RangeError('Cannot instantiate a fixed pool with zero worker')
176 protected checkDynamicPoolSize (min
: number, max
: number): void {
177 if (this.type === PoolTypes
.dynamic
) {
180 'Cannot instantiate a dynamic pool without specifying the maximum pool size'
182 } else if (!Number.isSafeInteger(max
)) {
184 'Cannot instantiate a dynamic pool with a non safe integer maximum pool size'
186 } else if (min
> max
) {
187 throw new RangeError(
188 'Cannot instantiate a dynamic pool with a maximum pool size inferior to the minimum pool size'
190 } else if (max
=== 0) {
191 throw new RangeError(
192 'Cannot instantiate a dynamic pool with a maximum pool size equal to zero'
194 } else if (min
=== max
) {
195 throw new RangeError(
196 'Cannot instantiate a dynamic pool with a minimum pool size equal to the maximum pool size. Use a fixed pool instead'
202 private checkPoolOptions (opts
: PoolOptions
<Worker
>): void {
203 if (isPlainObject(opts
)) {
204 this.opts
.workerChoiceStrategy
=
205 opts
.workerChoiceStrategy
?? WorkerChoiceStrategies
.ROUND_ROBIN
206 this.checkValidWorkerChoiceStrategy(this.opts
.workerChoiceStrategy
)
207 this.opts
.workerChoiceStrategyOptions
=
208 opts
.workerChoiceStrategyOptions
??
209 DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
210 this.checkValidWorkerChoiceStrategyOptions(
211 this.opts
.workerChoiceStrategyOptions
213 this.opts
.restartWorkerOnError
= opts
.restartWorkerOnError
?? true
214 this.opts
.enableEvents
= opts
.enableEvents
?? true
215 this.opts
.enableTasksQueue
= opts
.enableTasksQueue
?? false
216 if (this.opts
.enableTasksQueue
) {
217 this.checkValidTasksQueueOptions(
218 opts
.tasksQueueOptions
as TasksQueueOptions
220 this.opts
.tasksQueueOptions
= this.buildTasksQueueOptions(
221 opts
.tasksQueueOptions
as TasksQueueOptions
225 throw new TypeError('Invalid pool options: must be a plain object')
229 private checkValidWorkerChoiceStrategy (
230 workerChoiceStrategy
: WorkerChoiceStrategy
232 if (!Object.values(WorkerChoiceStrategies
).includes(workerChoiceStrategy
)) {
234 `Invalid worker choice strategy '${workerChoiceStrategy}'`
239 private checkValidWorkerChoiceStrategyOptions (
240 workerChoiceStrategyOptions
: WorkerChoiceStrategyOptions
242 if (!isPlainObject(workerChoiceStrategyOptions
)) {
244 'Invalid worker choice strategy options: must be a plain object'
248 workerChoiceStrategyOptions
.weights
!= null &&
249 Object.keys(workerChoiceStrategyOptions
.weights
).length
!== this.maxSize
252 'Invalid worker choice strategy options: must have a weight for each worker node'
256 workerChoiceStrategyOptions
.measurement
!= null &&
257 !Object.values(Measurements
).includes(
258 workerChoiceStrategyOptions
.measurement
262 `Invalid worker choice strategy options: invalid measurement '${workerChoiceStrategyOptions.measurement}'`
267 private checkValidTasksQueueOptions (
268 tasksQueueOptions
: TasksQueueOptions
270 if (tasksQueueOptions
!= null && !isPlainObject(tasksQueueOptions
)) {
271 throw new TypeError('Invalid tasks queue options: must be a plain object')
274 tasksQueueOptions
?.concurrency
!= null &&
275 !Number.isSafeInteger(tasksQueueOptions
.concurrency
)
278 'Invalid worker tasks concurrency: must be an integer'
282 tasksQueueOptions
?.concurrency
!= null &&
283 tasksQueueOptions
.concurrency
<= 0
286 `Invalid worker tasks concurrency '${tasksQueueOptions.concurrency}'`
291 private startPool (): void {
293 this.workerNodes
.reduce(
294 (accumulator
, workerNode
) =>
295 !workerNode
.info
.dynamic
? accumulator
+ 1 : accumulator
,
297 ) < this.numberOfWorkers
299 this.createAndSetupWorkerNode()
304 public get
info (): PoolInfo
{
310 strategy
: this.opts
.workerChoiceStrategy
as WorkerChoiceStrategy
,
311 minSize
: this.minSize
,
312 maxSize
: this.maxSize
,
313 ...(this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
314 .runTime
.aggregate
&&
315 this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
316 .waitTime
.aggregate
&& { utilization
: round(this.utilization
) }),
317 workerNodes
: this.workerNodes
.length
,
318 idleWorkerNodes
: this.workerNodes
.reduce(
319 (accumulator
, workerNode
) =>
320 workerNode
.usage
.tasks
.executing
=== 0
325 busyWorkerNodes
: this.workerNodes
.reduce(
326 (accumulator
, workerNode
) =>
327 workerNode
.usage
.tasks
.executing
> 0 ? accumulator
+ 1 : accumulator
,
330 executedTasks
: this.workerNodes
.reduce(
331 (accumulator
, workerNode
) =>
332 accumulator
+ workerNode
.usage
.tasks
.executed
,
335 executingTasks
: this.workerNodes
.reduce(
336 (accumulator
, workerNode
) =>
337 accumulator
+ workerNode
.usage
.tasks
.executing
,
340 ...(this.opts
.enableTasksQueue
=== true && {
341 queuedTasks
: this.workerNodes
.reduce(
342 (accumulator
, workerNode
) =>
343 accumulator
+ workerNode
.usage
.tasks
.queued
,
347 ...(this.opts
.enableTasksQueue
=== true && {
348 maxQueuedTasks
: this.workerNodes
.reduce(
349 (accumulator
, workerNode
) =>
350 accumulator
+ (workerNode
.usage
.tasks
?.maxQueued
?? 0),
354 failedTasks
: this.workerNodes
.reduce(
355 (accumulator
, workerNode
) =>
356 accumulator
+ workerNode
.usage
.tasks
.failed
,
359 ...(this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
360 .runTime
.aggregate
&& {
364 ...this.workerNodes
.map(
365 (workerNode
) => workerNode
.usage
.runTime
?.minimum
?? Infinity
371 ...this.workerNodes
.map(
372 (workerNode
) => workerNode
.usage
.runTime
?.maximum
?? -Infinity
377 this.workerNodes
.reduce(
378 (accumulator
, workerNode
) =>
379 accumulator
+ (workerNode
.usage
.runTime
?.aggregate
?? 0),
382 this.workerNodes
.reduce(
383 (accumulator
, workerNode
) =>
384 accumulator
+ (workerNode
.usage
.tasks
?.executed
?? 0),
388 ...(this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
392 this.workerNodes
.map(
393 (workerNode
) => workerNode
.usage
.runTime
?.median
?? 0
400 ...(this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
401 .waitTime
.aggregate
&& {
405 ...this.workerNodes
.map(
406 (workerNode
) => workerNode
.usage
.waitTime
?.minimum
?? Infinity
412 ...this.workerNodes
.map(
413 (workerNode
) => workerNode
.usage
.waitTime
?.maximum
?? -Infinity
418 this.workerNodes
.reduce(
419 (accumulator
, workerNode
) =>
420 accumulator
+ (workerNode
.usage
.waitTime
?.aggregate
?? 0),
423 this.workerNodes
.reduce(
424 (accumulator
, workerNode
) =>
425 accumulator
+ (workerNode
.usage
.tasks
?.executed
?? 0),
429 ...(this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
430 .waitTime
.median
&& {
433 this.workerNodes
.map(
434 (workerNode
) => workerNode
.usage
.waitTime
?.median
?? 0
445 * The pool readiness boolean status.
447 private get
ready (): boolean {
449 this.workerNodes
.reduce(
450 (accumulator
, workerNode
) =>
451 !workerNode
.info
.dynamic
&& workerNode
.info
.ready
460 * The approximate pool utilization.
462 * @returns The pool utilization.
464 private get
utilization (): number {
465 const poolTimeCapacity
=
466 (performance
.now() - this.startTimestamp
) * this.maxSize
467 const totalTasksRunTime
= this.workerNodes
.reduce(
468 (accumulator
, workerNode
) =>
469 accumulator
+ (workerNode
.usage
.runTime
?.aggregate
?? 0),
472 const totalTasksWaitTime
= this.workerNodes
.reduce(
473 (accumulator
, workerNode
) =>
474 accumulator
+ (workerNode
.usage
.waitTime
?.aggregate
?? 0),
477 return (totalTasksRunTime
+ totalTasksWaitTime
) / poolTimeCapacity
483 * If it is `'dynamic'`, it provides the `max` property.
485 protected abstract get
type (): PoolType
490 protected abstract get
worker (): WorkerType
493 * The pool minimum size.
495 protected abstract get
minSize (): number
498 * The pool maximum size.
500 protected abstract get
maxSize (): number
503 * Checks if the worker id sent in the received message from a worker is valid.
505 * @param message - The received message.
506 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the worker id is invalid.
508 private checkMessageWorkerId (message
: MessageValue
<Response
>): void {
510 message
.workerId
!= null &&
511 this.getWorkerNodeKeyByWorkerId(message
.workerId
) === -1
514 `Worker message received from unknown worker '${message.workerId}'`
520 * Gets the given worker its worker node key.
522 * @param worker - The worker.
523 * @returns The worker node key if found in the pool worker nodes, `-1` otherwise.
525 private getWorkerNodeKeyByWorker (worker
: Worker
): number {
526 return this.workerNodes
.findIndex(
527 (workerNode
) => workerNode
.worker
=== worker
532 * Gets the worker node key given its worker id.
534 * @param workerId - The worker id.
535 * @returns The worker node key if the worker id is found in the pool worker nodes, `-1` otherwise.
537 private getWorkerNodeKeyByWorkerId (workerId
: number): number {
538 return this.workerNodes
.findIndex(
539 (workerNode
) => workerNode
.info
.id
=== workerId
544 public setWorkerChoiceStrategy (
545 workerChoiceStrategy
: WorkerChoiceStrategy
,
546 workerChoiceStrategyOptions
?: WorkerChoiceStrategyOptions
548 this.checkValidWorkerChoiceStrategy(workerChoiceStrategy
)
549 this.opts
.workerChoiceStrategy
= workerChoiceStrategy
550 this.workerChoiceStrategyContext
.setWorkerChoiceStrategy(
551 this.opts
.workerChoiceStrategy
553 if (workerChoiceStrategyOptions
!= null) {
554 this.setWorkerChoiceStrategyOptions(workerChoiceStrategyOptions
)
556 for (const [workerNodeKey
, workerNode
] of this.workerNodes
.entries()) {
557 workerNode
.resetUsage()
558 this.sendWorkerStatisticsMessageToWorker(workerNodeKey
)
563 public setWorkerChoiceStrategyOptions (
564 workerChoiceStrategyOptions
: WorkerChoiceStrategyOptions
566 this.checkValidWorkerChoiceStrategyOptions(workerChoiceStrategyOptions
)
567 this.opts
.workerChoiceStrategyOptions
= workerChoiceStrategyOptions
568 this.workerChoiceStrategyContext
.setOptions(
569 this.opts
.workerChoiceStrategyOptions
574 public enableTasksQueue (
576 tasksQueueOptions
?: TasksQueueOptions
578 if (this.opts
.enableTasksQueue
=== true && !enable
) {
579 this.flushTasksQueues()
581 this.opts
.enableTasksQueue
= enable
582 this.setTasksQueueOptions(tasksQueueOptions
as TasksQueueOptions
)
586 public setTasksQueueOptions (tasksQueueOptions
: TasksQueueOptions
): void {
587 if (this.opts
.enableTasksQueue
=== true) {
588 this.checkValidTasksQueueOptions(tasksQueueOptions
)
589 this.opts
.tasksQueueOptions
=
590 this.buildTasksQueueOptions(tasksQueueOptions
)
591 } else if (this.opts
.tasksQueueOptions
!= null) {
592 delete this.opts
.tasksQueueOptions
596 private buildTasksQueueOptions (
597 tasksQueueOptions
: TasksQueueOptions
598 ): TasksQueueOptions
{
600 concurrency
: tasksQueueOptions
?.concurrency
?? 1
605 * Whether the pool is full or not.
607 * The pool filling boolean status.
609 protected get
full (): boolean {
610 return this.workerNodes
.length
>= this.maxSize
614 * Whether the pool is busy or not.
616 * The pool busyness boolean status.
618 protected abstract get
busy (): boolean
621 * Whether worker nodes are executing concurrently their tasks quota or not.
623 * @returns Worker nodes busyness boolean status.
625 protected internalBusy (): boolean {
626 if (this.opts
.enableTasksQueue
=== true) {
628 this.workerNodes
.findIndex(
630 workerNode
.info
.ready
&&
631 workerNode
.usage
.tasks
.executing
<
632 (this.opts
.tasksQueueOptions
?.concurrency
as number)
637 this.workerNodes
.findIndex(
639 workerNode
.info
.ready
&& workerNode
.usage
.tasks
.executing
=== 0
646 public async execute (
649 transferList
?: TransferListItem
[]
650 ): Promise
<Response
> {
651 return await new Promise
<Response
>((resolve
, reject
) => {
652 if (name
!= null && typeof name
!== 'string') {
653 reject(new TypeError('name argument must be a string'))
655 if (transferList
!= null && !Array.isArray(transferList
)) {
656 reject(new TypeError('transferList argument must be an array'))
658 const timestamp
= performance
.now()
659 const workerNodeKey
= this.chooseWorkerNode()
660 const task
: Task
<Data
> = {
661 name
: name
?? DEFAULT_TASK_NAME
,
662 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
663 data
: data
?? ({} as Data
),
666 workerId
: this.getWorkerInfo(workerNodeKey
).id
as number,
669 this.promiseResponseMap
.set(task
.taskId
as string, {
675 this.opts
.enableTasksQueue
=== false ||
676 (this.opts
.enableTasksQueue
=== true &&
677 this.workerNodes
[workerNodeKey
].usage
.tasks
.executing
<
678 (this.opts
.tasksQueueOptions
?.concurrency
as number))
680 this.executeTask(workerNodeKey
, task
)
682 this.enqueueTask(workerNodeKey
, task
)
684 this.checkAndEmitEvents()
689 public async destroy (): Promise
<void> {
691 this.workerNodes
.map(async (_
, workerNodeKey
) => {
692 await this.destroyWorkerNode(workerNodeKey
)
697 protected async sendKillMessageToWorker (
698 workerNodeKey
: number,
701 const waitForKillResponse
= new Promise
<void>((resolve
, reject
) => {
702 this.registerWorkerMessageListener(workerNodeKey
, (message
) => {
703 if (message
.kill
=== 'success') {
705 } else if (message
.kill
=== 'failure') {
706 reject(new Error(`Worker ${workerId} kill message handling failed`))
710 this.sendToWorker(workerNodeKey
, { kill
: true, workerId
})
711 await waitForKillResponse
715 * Terminates the worker node given its worker node key.
717 * @param workerNodeKey - The worker node key.
719 protected abstract destroyWorkerNode (workerNodeKey
: number): Promise
<void>
722 * Setup hook to execute code before worker nodes are created in the abstract constructor.
727 protected setupHook (): void {
728 // Intentionally empty
732 * Should return whether the worker is the main worker or not.
734 protected abstract isMain (): boolean
737 * Hook executed before the worker task execution.
740 * @param workerNodeKey - The worker node key.
741 * @param task - The task to execute.
743 protected beforeTaskExecutionHook (
744 workerNodeKey
: number,
747 const workerUsage
= this.workerNodes
[workerNodeKey
].usage
748 ++workerUsage
.tasks
.executing
749 this.updateWaitTimeWorkerUsage(workerUsage
, task
)
750 const taskWorkerUsage
= this.workerNodes
[workerNodeKey
].getTaskWorkerUsage(
753 ++taskWorkerUsage
.tasks
.executing
754 this.updateWaitTimeWorkerUsage(taskWorkerUsage
, task
)
758 * Hook executed after the worker task execution.
761 * @param workerNodeKey - The worker node key.
762 * @param message - The received message.
764 protected afterTaskExecutionHook (
765 workerNodeKey
: number,
766 message
: MessageValue
<Response
>
768 const workerUsage
= this.workerNodes
[workerNodeKey
].usage
769 this.updateTaskStatisticsWorkerUsage(workerUsage
, message
)
770 this.updateRunTimeWorkerUsage(workerUsage
, message
)
771 this.updateEluWorkerUsage(workerUsage
, message
)
772 const taskWorkerUsage
= this.workerNodes
[workerNodeKey
].getTaskWorkerUsage(
773 message
.taskPerformance
?.name
?? DEFAULT_TASK_NAME
775 this.updateTaskStatisticsWorkerUsage(taskWorkerUsage
, message
)
776 this.updateRunTimeWorkerUsage(taskWorkerUsage
, message
)
777 this.updateEluWorkerUsage(taskWorkerUsage
, message
)
780 private updateTaskStatisticsWorkerUsage (
781 workerUsage
: WorkerUsage
,
782 message
: MessageValue
<Response
>
784 const workerTaskStatistics
= workerUsage
.tasks
785 --workerTaskStatistics
.executing
786 if (message
.taskError
== null) {
787 ++workerTaskStatistics
.executed
789 ++workerTaskStatistics
.failed
793 private updateRunTimeWorkerUsage (
794 workerUsage
: WorkerUsage
,
795 message
: MessageValue
<Response
>
797 updateMeasurementStatistics(
799 this.workerChoiceStrategyContext
.getTaskStatisticsRequirements().runTime
,
800 message
.taskPerformance
?.runTime
?? 0,
801 workerUsage
.tasks
.executed
805 private updateWaitTimeWorkerUsage (
806 workerUsage
: WorkerUsage
,
809 const timestamp
= performance
.now()
810 const taskWaitTime
= timestamp
- (task
.timestamp
?? timestamp
)
811 updateMeasurementStatistics(
812 workerUsage
.waitTime
,
813 this.workerChoiceStrategyContext
.getTaskStatisticsRequirements().waitTime
,
815 workerUsage
.tasks
.executed
819 private updateEluWorkerUsage (
820 workerUsage
: WorkerUsage
,
821 message
: MessageValue
<Response
>
823 const eluTaskStatisticsRequirements
: MeasurementStatisticsRequirements
=
824 this.workerChoiceStrategyContext
.getTaskStatisticsRequirements().elu
825 updateMeasurementStatistics(
826 workerUsage
.elu
.active
,
827 eluTaskStatisticsRequirements
,
828 message
.taskPerformance
?.elu
?.active
?? 0,
829 workerUsage
.tasks
.executed
831 updateMeasurementStatistics(
832 workerUsage
.elu
.idle
,
833 eluTaskStatisticsRequirements
,
834 message
.taskPerformance
?.elu
?.idle
?? 0,
835 workerUsage
.tasks
.executed
837 if (eluTaskStatisticsRequirements
.aggregate
) {
838 if (message
.taskPerformance
?.elu
!= null) {
839 if (workerUsage
.elu
.utilization
!= null) {
840 workerUsage
.elu
.utilization
=
841 (workerUsage
.elu
.utilization
+
842 message
.taskPerformance
.elu
.utilization
) /
845 workerUsage
.elu
.utilization
= message
.taskPerformance
.elu
.utilization
852 * Chooses a worker node for the next task.
854 * The default worker choice strategy uses a round robin algorithm to distribute the tasks.
856 * @returns The chosen worker node key
858 private chooseWorkerNode (): number {
859 if (this.shallCreateDynamicWorker()) {
860 const workerNodeKey
= this.createAndSetupDynamicWorkerNode()
862 this.workerChoiceStrategyContext
.getStrategyPolicy().useDynamicWorker
867 return this.workerChoiceStrategyContext
.execute()
871 * Conditions for dynamic worker creation.
873 * @returns Whether to create a dynamic worker or not.
875 private shallCreateDynamicWorker (): boolean {
876 return this.type === PoolTypes
.dynamic
&& !this.full
&& this.internalBusy()
880 * Sends a message to worker given its worker node key.
882 * @param workerNodeKey - The worker node key.
883 * @param message - The message.
884 * @param transferList - The optional array of transferable objects.
886 protected abstract sendToWorker (
887 workerNodeKey
: number,
888 message
: MessageValue
<Data
>,
889 transferList
?: TransferListItem
[]
893 * Creates a new worker.
895 * @returns Newly created worker.
897 protected abstract createWorker (): Worker
900 * Creates a new, completely set up worker node.
902 * @returns New, completely set up worker node key.
904 protected createAndSetupWorkerNode (): number {
905 const worker
= this.createWorker()
907 worker
.on('message', this.opts
.messageHandler
?? EMPTY_FUNCTION
)
908 worker
.on('error', this.opts
.errorHandler
?? EMPTY_FUNCTION
)
909 worker
.on('error', (error
) => {
910 const workerNodeKey
= this.getWorkerNodeKeyByWorker(worker
)
911 const workerInfo
= this.getWorkerInfo(workerNodeKey
)
912 workerInfo
.ready
= false
913 this.workerNodes
[workerNodeKey
].closeChannel()
914 this.emitter
?.emit(PoolEvents
.error
, error
)
915 if (this.opts
.restartWorkerOnError
=== true && !this.starting
) {
916 if (workerInfo
.dynamic
) {
917 this.createAndSetupDynamicWorkerNode()
919 this.createAndSetupWorkerNode()
922 if (this.opts
.enableTasksQueue
=== true) {
923 this.redistributeQueuedTasks(workerNodeKey
)
926 worker
.on('online', this.opts
.onlineHandler
?? EMPTY_FUNCTION
)
927 worker
.on('exit', this.opts
.exitHandler
?? EMPTY_FUNCTION
)
928 worker
.once('exit', () => {
929 this.removeWorkerNode(worker
)
932 const workerNodeKey
= this.addWorkerNode(worker
)
934 this.afterWorkerNodeSetup(workerNodeKey
)
940 * Creates a new, completely set up dynamic worker node.
942 * @returns New, completely set up dynamic worker node key.
944 protected createAndSetupDynamicWorkerNode (): number {
945 const workerNodeKey
= this.createAndSetupWorkerNode()
946 this.registerWorkerMessageListener(workerNodeKey
, (message
) => {
947 const localWorkerNodeKey
= this.getWorkerNodeKeyByWorkerId(
950 const workerUsage
= this.workerNodes
[localWorkerNodeKey
].usage
951 // Kill message received from worker
953 isKillBehavior(KillBehaviors
.HARD
, message
.kill
) ||
954 (isKillBehavior(KillBehaviors
.SOFT
, message
.kill
) &&
955 ((this.opts
.enableTasksQueue
=== false &&
956 workerUsage
.tasks
.executing
=== 0) ||
957 (this.opts
.enableTasksQueue
=== true &&
958 workerUsage
.tasks
.executing
=== 0 &&
959 this.tasksQueueSize(localWorkerNodeKey
) === 0)))
961 this.destroyWorkerNode(localWorkerNodeKey
).catch((error
) => {
962 this.emitter
?.emit(PoolEvents
.error
, error
)
966 const workerInfo
= this.getWorkerInfo(workerNodeKey
)
967 this.sendToWorker(workerNodeKey
, {
969 workerId
: workerInfo
.id
as number
971 workerInfo
.dynamic
= true
972 if (this.workerChoiceStrategyContext
.getStrategyPolicy().useDynamicWorker
) {
973 workerInfo
.ready
= true
979 * Registers a listener callback on the worker given its worker node key.
981 * @param workerNodeKey - The worker node key.
982 * @param listener - The message listener callback.
984 protected abstract registerWorkerMessageListener
<
985 Message
extends Data
| Response
987 workerNodeKey
: number,
988 listener
: (message
: MessageValue
<Message
>) => void
992 * Method hooked up after a worker node has been newly created.
995 * @param workerNodeKey - The newly created worker node key.
997 protected afterWorkerNodeSetup (workerNodeKey
: number): void {
998 // Listen to worker messages.
999 this.registerWorkerMessageListener(workerNodeKey
, this.workerListener())
1000 // Send the startup message to worker.
1001 this.sendStartupMessageToWorker(workerNodeKey
)
1002 // Send the worker statistics message to worker.
1003 this.sendWorkerStatisticsMessageToWorker(workerNodeKey
)
1007 * Sends the startup message to worker given its worker node key.
1009 * @param workerNodeKey - The worker node key.
1011 protected abstract sendStartupMessageToWorker (workerNodeKey
: number): void
1014 * Sends the worker statistics message to worker given its worker node key.
1016 * @param workerNodeKey - The worker node key.
1018 private sendWorkerStatisticsMessageToWorker (workerNodeKey
: number): void {
1019 this.sendToWorker(workerNodeKey
, {
1022 this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
1024 elu
: this.workerChoiceStrategyContext
.getTaskStatisticsRequirements()
1027 workerId
: this.getWorkerInfo(workerNodeKey
).id
as number
1031 private redistributeQueuedTasks (workerNodeKey
: number): void {
1032 while (this.tasksQueueSize(workerNodeKey
) > 0) {
1033 let targetWorkerNodeKey
: number = workerNodeKey
1034 let minQueuedTasks
= Infinity
1035 let executeTask
= false
1036 for (const [workerNodeId
, workerNode
] of this.workerNodes
.entries()) {
1037 const workerInfo
= this.getWorkerInfo(workerNodeId
)
1039 workerNodeId
!== workerNodeKey
&&
1041 workerNode
.usage
.tasks
.queued
=== 0
1044 this.workerNodes
[workerNodeId
].usage
.tasks
.executing
<
1045 (this.opts
.tasksQueueOptions
?.concurrency
as number)
1049 targetWorkerNodeKey
= workerNodeId
1053 workerNodeId
!== workerNodeKey
&&
1055 workerNode
.usage
.tasks
.queued
< minQueuedTasks
1057 minQueuedTasks
= workerNode
.usage
.tasks
.queued
1058 targetWorkerNodeKey
= workerNodeId
1063 targetWorkerNodeKey
,
1064 this.dequeueTask(workerNodeKey
) as Task
<Data
>
1068 targetWorkerNodeKey
,
1069 this.dequeueTask(workerNodeKey
) as Task
<Data
>
1076 * This method is the listener registered for each worker message.
1078 * @returns The listener function to execute when a message is received from a worker.
1080 protected workerListener (): (message
: MessageValue
<Response
>) => void {
1081 return (message
) => {
1082 this.checkMessageWorkerId(message
)
1083 if (message
.ready
!= null) {
1084 // Worker ready response received from worker
1085 this.handleWorkerReadyResponse(message
)
1086 } else if (message
.taskId
!= null) {
1087 // Task execution response received from worker
1088 this.handleTaskExecutionResponse(message
)
1093 private handleWorkerReadyResponse (message
: MessageValue
<Response
>): void {
1095 this.getWorkerNodeKeyByWorkerId(message
.workerId
)
1096 ).ready
= message
.ready
as boolean
1097 if (this.emitter
!= null && this.ready
) {
1098 this.emitter
.emit(PoolEvents
.ready
, this.info
)
1102 private handleTaskExecutionResponse (message
: MessageValue
<Response
>): void {
1103 const promiseResponse
= this.promiseResponseMap
.get(
1104 message
.taskId
as string
1106 if (promiseResponse
!= null) {
1107 if (message
.taskError
!= null) {
1108 this.emitter
?.emit(PoolEvents
.taskError
, message
.taskError
)
1109 promiseResponse
.reject(message
.taskError
.message
)
1111 promiseResponse
.resolve(message
.data
as Response
)
1113 const workerNodeKey
= promiseResponse
.workerNodeKey
1114 this.afterTaskExecutionHook(workerNodeKey
, message
)
1115 this.promiseResponseMap
.delete(message
.taskId
as string)
1117 this.opts
.enableTasksQueue
=== true &&
1118 this.tasksQueueSize(workerNodeKey
) > 0 &&
1119 this.workerNodes
[workerNodeKey
].usage
.tasks
.executing
<
1120 (this.opts
.tasksQueueOptions
?.concurrency
as number)
1124 this.dequeueTask(workerNodeKey
) as Task
<Data
>
1127 this.workerChoiceStrategyContext
.update(workerNodeKey
)
1131 private checkAndEmitEvents (): void {
1132 if (this.emitter
!= null) {
1134 this.emitter
.emit(PoolEvents
.busy
, this.info
)
1136 if (this.type === PoolTypes
.dynamic
&& this.full
) {
1137 this.emitter
.emit(PoolEvents
.full
, this.info
)
1143 * Gets the worker information given its worker node key.
1145 * @param workerNodeKey - The worker node key.
1146 * @returns The worker information.
1148 protected getWorkerInfo (workerNodeKey
: number): WorkerInfo
{
1149 return this.workerNodes
[workerNodeKey
].info
1153 * Adds the given worker in the pool worker nodes.
1155 * @param worker - The worker.
1156 * @returns The added worker node key.
1157 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the added worker node is not found.
1159 private addWorkerNode (worker
: Worker
): number {
1160 const workerNode
= new WorkerNode
<Worker
, Data
>(worker
, this.worker
)
1161 // Flag the worker node as ready at pool startup.
1162 if (this.starting
) {
1163 workerNode
.info
.ready
= true
1165 this.workerNodes
.push(workerNode
)
1166 const workerNodeKey
= this.getWorkerNodeKeyByWorker(worker
)
1167 if (workerNodeKey
=== -1) {
1168 throw new Error('Worker node not found')
1170 return workerNodeKey
1174 * Removes the given worker from the pool worker nodes.
1176 * @param worker - The worker.
1178 private removeWorkerNode (worker
: Worker
): void {
1179 const workerNodeKey
= this.getWorkerNodeKeyByWorker(worker
)
1180 if (workerNodeKey
!== -1) {
1181 this.workerNodes
.splice(workerNodeKey
, 1)
1182 this.workerChoiceStrategyContext
.remove(workerNodeKey
)
1187 * Executes the given task on the worker given its worker node key.
1189 * @param workerNodeKey - The worker node key.
1190 * @param task - The task to execute.
1192 private executeTask (workerNodeKey
: number, task
: Task
<Data
>): void {
1193 this.beforeTaskExecutionHook(workerNodeKey
, task
)
1194 this.sendToWorker(workerNodeKey
, task
, task
.transferList
)
1197 private enqueueTask (workerNodeKey
: number, task
: Task
<Data
>): number {
1198 return this.workerNodes
[workerNodeKey
].enqueueTask(task
)
1201 private dequeueTask (workerNodeKey
: number): Task
<Data
> | undefined {
1202 return this.workerNodes
[workerNodeKey
].dequeueTask()
1205 private tasksQueueSize (workerNodeKey
: number): number {
1206 return this.workerNodes
[workerNodeKey
].tasksQueueSize()
1209 protected flushTasksQueue (workerNodeKey
: number): void {
1210 while (this.tasksQueueSize(workerNodeKey
) > 0) {
1213 this.dequeueTask(workerNodeKey
) as Task
<Data
>
1216 this.workerNodes
[workerNodeKey
].clearTasksQueue()
1219 private flushTasksQueues (): void {
1220 for (const [workerNodeKey
] of this.workerNodes
.entries()) {
1221 this.flushTasksQueue(workerNodeKey
)