fix: ensure task function ops sync worker choice strategies
[poolifier.git] / src / pools / abstract-pool.ts
1 import { AsyncResource } from 'node:async_hooks'
2 import { randomUUID } from 'node:crypto'
3 import { EventEmitterAsyncResource } from 'node:events'
4 import { performance } from 'node:perf_hooks'
5 import type { TransferListItem } from 'node:worker_threads'
6
7 import type {
8 MessageValue,
9 PromiseResponseWrapper,
10 Task,
11 TaskFunctionProperties
12 } from '../utility-types.js'
13 import {
14 average,
15 buildTaskFunctionProperties,
16 DEFAULT_TASK_NAME,
17 EMPTY_FUNCTION,
18 exponentialDelay,
19 isKillBehavior,
20 isPlainObject,
21 max,
22 median,
23 min,
24 round,
25 sleep
26 } from '../utils.js'
27 import type {
28 TaskFunction,
29 TaskFunctionObject
30 } from '../worker/task-functions.js'
31 import { KillBehaviors } from '../worker/worker-options.js'
32 import {
33 type IPool,
34 PoolEvents,
35 type PoolInfo,
36 type PoolOptions,
37 type PoolType,
38 PoolTypes,
39 type TasksQueueOptions
40 } from './pool.js'
41 import {
42 Measurements,
43 WorkerChoiceStrategies,
44 type WorkerChoiceStrategy,
45 type WorkerChoiceStrategyOptions
46 } from './selection-strategies/selection-strategies-types.js'
47 import { WorkerChoiceStrategiesContext } from './selection-strategies/worker-choice-strategies-context.js'
48 import {
49 checkFilePath,
50 checkValidTasksQueueOptions,
51 checkValidWorkerChoiceStrategy,
52 getDefaultTasksQueueOptions,
53 updateEluWorkerUsage,
54 updateRunTimeWorkerUsage,
55 updateTaskStatisticsWorkerUsage,
56 updateWaitTimeWorkerUsage,
57 waitWorkerNodeEvents
58 } from './utils.js'
59 import { version } from './version.js'
60 import type {
61 IWorker,
62 IWorkerNode,
63 WorkerInfo,
64 WorkerNodeEventDetail,
65 WorkerType
66 } from './worker.js'
67 import { WorkerNode } from './worker-node.js'
68
69 /**
70 * Base class that implements some shared logic for all poolifier pools.
71 *
72 * @typeParam Worker - Type of worker which manages this pool.
73 * @typeParam Data - Type of data sent to the worker. This can only be structured-cloneable data.
74 * @typeParam Response - Type of execution response. This can only be structured-cloneable data.
75 */
76 export abstract class AbstractPool<
77 Worker extends IWorker,
78 Data = unknown,
79 Response = unknown
80 > implements IPool<Worker, Data, Response> {
81 /** @inheritDoc */
82 public readonly workerNodes: Array<IWorkerNode<Worker, Data>> = []
83
84 /** @inheritDoc */
85 public emitter?: EventEmitterAsyncResource
86
87 /**
88 * The task execution response promise map:
89 * - `key`: The message id of each submitted task.
90 * - `value`: An object that contains task's worker node key, execution response promise resolve and reject callbacks, async resource.
91 *
92 * When we receive a message from the worker, we get a map entry with the promise resolve/reject bound to the message id.
93 */
94 protected promiseResponseMap: Map<string, PromiseResponseWrapper<Response>> =
95 new Map<string, PromiseResponseWrapper<Response>>()
96
97 /**
98 * Worker choice strategies context referencing worker choice algorithms implementation.
99 */
100 protected workerChoiceStrategiesContext?: WorkerChoiceStrategiesContext<
101 Worker,
102 Data,
103 Response
104 >
105
106 /**
107 * The task functions added at runtime map:
108 * - `key`: The task function name.
109 * - `value`: The task function object.
110 */
111 private readonly taskFunctions: Map<
112 string,
113 TaskFunctionObject<Data, Response>
114 >
115
116 /**
117 * Whether the pool is started or not.
118 */
119 private started: boolean
120 /**
121 * Whether the pool is starting or not.
122 */
123 private starting: boolean
124 /**
125 * Whether the pool is destroying or not.
126 */
127 private destroying: boolean
128 /**
129 * Whether the minimum number of workers is starting or not.
130 */
131 private startingMinimumNumberOfWorkers: boolean
132 /**
133 * Whether the pool ready event has been emitted or not.
134 */
135 private readyEventEmitted: boolean
136 /**
137 * The start timestamp of the pool.
138 */
139 private readonly startTimestamp
140
141 /**
142 * Constructs a new poolifier pool.
143 *
144 * @param minimumNumberOfWorkers - Minimum number of workers that this pool manages.
145 * @param filePath - Path to the worker file.
146 * @param opts - Options for the pool.
147 * @param maximumNumberOfWorkers - Maximum number of workers that this pool manages.
148 */
149 public constructor (
150 protected readonly minimumNumberOfWorkers: number,
151 protected readonly filePath: string,
152 protected readonly opts: PoolOptions<Worker>,
153 protected readonly maximumNumberOfWorkers?: number
154 ) {
155 if (!this.isMain()) {
156 throw new Error(
157 'Cannot start a pool from a worker with the same type as the pool'
158 )
159 }
160 this.checkPoolType()
161 checkFilePath(this.filePath)
162 this.checkMinimumNumberOfWorkers(this.minimumNumberOfWorkers)
163 this.checkPoolOptions(this.opts)
164
165 this.chooseWorkerNode = this.chooseWorkerNode.bind(this)
166 this.executeTask = this.executeTask.bind(this)
167 this.enqueueTask = this.enqueueTask.bind(this)
168
169 if (this.opts.enableEvents === true) {
170 this.initializeEventEmitter()
171 }
172 this.workerChoiceStrategiesContext = new WorkerChoiceStrategiesContext<
173 Worker,
174 Data,
175 Response
176 >(
177 this,
178 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
179 [this.opts.workerChoiceStrategy!],
180 this.opts.workerChoiceStrategyOptions
181 )
182
183 this.setupHook()
184
185 this.taskFunctions = new Map<string, TaskFunctionObject<Data, Response>>()
186
187 this.started = false
188 this.starting = false
189 this.destroying = false
190 this.readyEventEmitted = false
191 this.startingMinimumNumberOfWorkers = false
192 if (this.opts.startWorkers === true) {
193 this.start()
194 }
195
196 this.startTimestamp = performance.now()
197 }
198
199 private checkPoolType (): void {
200 if (this.type === PoolTypes.fixed && this.maximumNumberOfWorkers != null) {
201 throw new Error(
202 'Cannot instantiate a fixed pool with a maximum number of workers specified at initialization'
203 )
204 }
205 }
206
207 private checkMinimumNumberOfWorkers (
208 minimumNumberOfWorkers: number | undefined
209 ): void {
210 if (minimumNumberOfWorkers == null) {
211 throw new Error(
212 'Cannot instantiate a pool without specifying the number of workers'
213 )
214 } else if (!Number.isSafeInteger(minimumNumberOfWorkers)) {
215 throw new TypeError(
216 'Cannot instantiate a pool with a non safe integer number of workers'
217 )
218 } else if (minimumNumberOfWorkers < 0) {
219 throw new RangeError(
220 'Cannot instantiate a pool with a negative number of workers'
221 )
222 } else if (this.type === PoolTypes.fixed && minimumNumberOfWorkers === 0) {
223 throw new RangeError('Cannot instantiate a fixed pool with zero worker')
224 }
225 }
226
227 private checkPoolOptions (opts: PoolOptions<Worker>): void {
228 if (isPlainObject(opts)) {
229 this.opts.startWorkers = opts.startWorkers ?? true
230 checkValidWorkerChoiceStrategy(opts.workerChoiceStrategy)
231 this.opts.workerChoiceStrategy =
232 opts.workerChoiceStrategy ?? WorkerChoiceStrategies.ROUND_ROBIN
233 this.checkValidWorkerChoiceStrategyOptions(
234 opts.workerChoiceStrategyOptions
235 )
236 if (opts.workerChoiceStrategyOptions != null) {
237 this.opts.workerChoiceStrategyOptions = opts.workerChoiceStrategyOptions
238 }
239 this.opts.restartWorkerOnError = opts.restartWorkerOnError ?? true
240 this.opts.enableEvents = opts.enableEvents ?? true
241 this.opts.enableTasksQueue = opts.enableTasksQueue ?? false
242 if (this.opts.enableTasksQueue) {
243 checkValidTasksQueueOptions(opts.tasksQueueOptions)
244 this.opts.tasksQueueOptions = this.buildTasksQueueOptions(
245 opts.tasksQueueOptions
246 )
247 }
248 } else {
249 throw new TypeError('Invalid pool options: must be a plain object')
250 }
251 }
252
253 private checkValidWorkerChoiceStrategyOptions (
254 workerChoiceStrategyOptions: WorkerChoiceStrategyOptions | undefined
255 ): void {
256 if (
257 workerChoiceStrategyOptions != null &&
258 !isPlainObject(workerChoiceStrategyOptions)
259 ) {
260 throw new TypeError(
261 'Invalid worker choice strategy options: must be a plain object'
262 )
263 }
264 if (
265 workerChoiceStrategyOptions?.weights != null &&
266 Object.keys(workerChoiceStrategyOptions.weights).length !==
267 (this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers)
268 ) {
269 throw new Error(
270 'Invalid worker choice strategy options: must have a weight for each worker node'
271 )
272 }
273 if (
274 workerChoiceStrategyOptions?.measurement != null &&
275 !Object.values(Measurements).includes(
276 workerChoiceStrategyOptions.measurement
277 )
278 ) {
279 throw new Error(
280 `Invalid worker choice strategy options: invalid measurement '${workerChoiceStrategyOptions.measurement}'`
281 )
282 }
283 }
284
285 private initializeEventEmitter (): void {
286 this.emitter = new EventEmitterAsyncResource({
287 name: `poolifier:${this.type}-${this.worker}-pool`
288 })
289 }
290
291 /** @inheritDoc */
292 public get info (): PoolInfo {
293 return {
294 version,
295 type: this.type,
296 worker: this.worker,
297 started: this.started,
298 ready: this.ready,
299 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
300 defaultStrategy: this.opts.workerChoiceStrategy!,
301 strategyRetries: this.workerChoiceStrategiesContext?.retriesCount ?? 0,
302 minSize: this.minimumNumberOfWorkers,
303 maxSize: this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers,
304 ...(this.workerChoiceStrategiesContext?.getTaskStatisticsRequirements()
305 .runTime.aggregate === true &&
306 this.workerChoiceStrategiesContext.getTaskStatisticsRequirements()
307 .waitTime.aggregate && {
308 utilization: round(this.utilization)
309 }),
310 workerNodes: this.workerNodes.length,
311 idleWorkerNodes: this.workerNodes.reduce(
312 (accumulator, workerNode) =>
313 workerNode.usage.tasks.executing === 0
314 ? accumulator + 1
315 : accumulator,
316 0
317 ),
318 ...(this.opts.enableTasksQueue === true && {
319 stealingWorkerNodes: this.workerNodes.reduce(
320 (accumulator, workerNode) =>
321 workerNode.info.stealing ? accumulator + 1 : accumulator,
322 0
323 )
324 }),
325 busyWorkerNodes: this.workerNodes.reduce(
326 (accumulator, _workerNode, workerNodeKey) =>
327 this.isWorkerNodeBusy(workerNodeKey) ? accumulator + 1 : accumulator,
328 0
329 ),
330 executedTasks: this.workerNodes.reduce(
331 (accumulator, workerNode) =>
332 accumulator + workerNode.usage.tasks.executed,
333 0
334 ),
335 executingTasks: this.workerNodes.reduce(
336 (accumulator, workerNode) =>
337 accumulator + workerNode.usage.tasks.executing,
338 0
339 ),
340 ...(this.opts.enableTasksQueue === true && {
341 queuedTasks: this.workerNodes.reduce(
342 (accumulator, workerNode) =>
343 accumulator + workerNode.usage.tasks.queued,
344 0
345 )
346 }),
347 ...(this.opts.enableTasksQueue === true && {
348 maxQueuedTasks: this.workerNodes.reduce(
349 (accumulator, workerNode) =>
350 accumulator + (workerNode.usage.tasks.maxQueued ?? 0),
351 0
352 )
353 }),
354 ...(this.opts.enableTasksQueue === true && {
355 backPressure: this.hasBackPressure()
356 }),
357 ...(this.opts.enableTasksQueue === true && {
358 stolenTasks: this.workerNodes.reduce(
359 (accumulator, workerNode) =>
360 accumulator + workerNode.usage.tasks.stolen,
361 0
362 )
363 }),
364 failedTasks: this.workerNodes.reduce(
365 (accumulator, workerNode) =>
366 accumulator + workerNode.usage.tasks.failed,
367 0
368 ),
369 ...(this.workerChoiceStrategiesContext?.getTaskStatisticsRequirements()
370 .runTime.aggregate === true && {
371 runTime: {
372 minimum: round(
373 min(
374 ...this.workerNodes.map(
375 workerNode => workerNode.usage.runTime.minimum ?? Infinity
376 )
377 )
378 ),
379 maximum: round(
380 max(
381 ...this.workerNodes.map(
382 workerNode => workerNode.usage.runTime.maximum ?? -Infinity
383 )
384 )
385 ),
386 ...(this.workerChoiceStrategiesContext.getTaskStatisticsRequirements()
387 .runTime.average && {
388 average: round(
389 average(
390 this.workerNodes.reduce<number[]>(
391 (accumulator, workerNode) =>
392 accumulator.concat(workerNode.usage.runTime.history),
393 []
394 )
395 )
396 )
397 }),
398 ...(this.workerChoiceStrategiesContext.getTaskStatisticsRequirements()
399 .runTime.median && {
400 median: round(
401 median(
402 this.workerNodes.reduce<number[]>(
403 (accumulator, workerNode) =>
404 accumulator.concat(workerNode.usage.runTime.history),
405 []
406 )
407 )
408 )
409 })
410 }
411 }),
412 ...(this.workerChoiceStrategiesContext?.getTaskStatisticsRequirements()
413 .waitTime.aggregate === true && {
414 waitTime: {
415 minimum: round(
416 min(
417 ...this.workerNodes.map(
418 workerNode => workerNode.usage.waitTime.minimum ?? Infinity
419 )
420 )
421 ),
422 maximum: round(
423 max(
424 ...this.workerNodes.map(
425 workerNode => workerNode.usage.waitTime.maximum ?? -Infinity
426 )
427 )
428 ),
429 ...(this.workerChoiceStrategiesContext.getTaskStatisticsRequirements()
430 .waitTime.average && {
431 average: round(
432 average(
433 this.workerNodes.reduce<number[]>(
434 (accumulator, workerNode) =>
435 accumulator.concat(workerNode.usage.waitTime.history),
436 []
437 )
438 )
439 )
440 }),
441 ...(this.workerChoiceStrategiesContext.getTaskStatisticsRequirements()
442 .waitTime.median && {
443 median: round(
444 median(
445 this.workerNodes.reduce<number[]>(
446 (accumulator, workerNode) =>
447 accumulator.concat(workerNode.usage.waitTime.history),
448 []
449 )
450 )
451 )
452 })
453 }
454 })
455 }
456 }
457
458 /**
459 * The pool readiness boolean status.
460 */
461 private get ready (): boolean {
462 if (this.empty) {
463 return false
464 }
465 return (
466 this.workerNodes.reduce(
467 (accumulator, workerNode) =>
468 !workerNode.info.dynamic && workerNode.info.ready
469 ? accumulator + 1
470 : accumulator,
471 0
472 ) >= this.minimumNumberOfWorkers
473 )
474 }
475
476 /**
477 * The pool emptiness boolean status.
478 */
479 protected get empty (): boolean {
480 return this.minimumNumberOfWorkers === 0 && this.workerNodes.length === 0
481 }
482
483 /**
484 * The approximate pool utilization.
485 *
486 * @returns The pool utilization.
487 */
488 private get utilization (): number {
489 const poolTimeCapacity =
490 (performance.now() - this.startTimestamp) *
491 (this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers)
492 const totalTasksRunTime = this.workerNodes.reduce(
493 (accumulator, workerNode) =>
494 accumulator + (workerNode.usage.runTime.aggregate ?? 0),
495 0
496 )
497 const totalTasksWaitTime = this.workerNodes.reduce(
498 (accumulator, workerNode) =>
499 accumulator + (workerNode.usage.waitTime.aggregate ?? 0),
500 0
501 )
502 return (totalTasksRunTime + totalTasksWaitTime) / poolTimeCapacity
503 }
504
505 /**
506 * The pool type.
507 *
508 * If it is `'dynamic'`, it provides the `max` property.
509 */
510 protected abstract get type (): PoolType
511
512 /**
513 * The worker type.
514 */
515 protected abstract get worker (): WorkerType
516
517 /**
518 * Checks if the worker id sent in the received message from a worker is valid.
519 *
520 * @param message - The received message.
521 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the worker id is invalid.
522 */
523 private checkMessageWorkerId (message: MessageValue<Data | Response>): void {
524 if (message.workerId == null) {
525 throw new Error('Worker message received without worker id')
526 } else if (this.getWorkerNodeKeyByWorkerId(message.workerId) === -1) {
527 throw new Error(
528 `Worker message received from unknown worker '${message.workerId}'`
529 )
530 }
531 }
532
533 /**
534 * Gets the worker node key given its worker id.
535 *
536 * @param workerId - The worker id.
537 * @returns The worker node key if the worker id is found in the pool worker nodes, `-1` otherwise.
538 */
539 private getWorkerNodeKeyByWorkerId (workerId: number | undefined): number {
540 return this.workerNodes.findIndex(
541 workerNode => workerNode.info.id === workerId
542 )
543 }
544
545 /** @inheritDoc */
546 public setWorkerChoiceStrategy (
547 workerChoiceStrategy: WorkerChoiceStrategy,
548 workerChoiceStrategyOptions?: WorkerChoiceStrategyOptions
549 ): void {
550 checkValidWorkerChoiceStrategy(workerChoiceStrategy)
551 if (workerChoiceStrategyOptions != null) {
552 this.setWorkerChoiceStrategyOptions(workerChoiceStrategyOptions)
553 }
554 if (workerChoiceStrategy !== this.opts.workerChoiceStrategy) {
555 this.opts.workerChoiceStrategy = workerChoiceStrategy
556 this.workerChoiceStrategiesContext?.setDefaultWorkerChoiceStrategy(
557 this.opts.workerChoiceStrategy,
558 this.opts.workerChoiceStrategyOptions
559 )
560 this.workerChoiceStrategiesContext?.syncWorkerChoiceStrategies(
561 this.getWorkerWorkerChoiceStrategies(),
562 this.opts.workerChoiceStrategyOptions
563 )
564 for (const [workerNodeKey] of this.workerNodes.entries()) {
565 this.sendStatisticsMessageToWorker(workerNodeKey)
566 }
567 }
568 }
569
570 /** @inheritDoc */
571 public setWorkerChoiceStrategyOptions (
572 workerChoiceStrategyOptions: WorkerChoiceStrategyOptions | undefined
573 ): void {
574 this.checkValidWorkerChoiceStrategyOptions(workerChoiceStrategyOptions)
575 if (workerChoiceStrategyOptions != null) {
576 this.opts.workerChoiceStrategyOptions = workerChoiceStrategyOptions
577 }
578 this.workerChoiceStrategiesContext?.setOptions(
579 this.opts.workerChoiceStrategyOptions
580 )
581 }
582
583 /** @inheritDoc */
584 public enableTasksQueue (
585 enable: boolean,
586 tasksQueueOptions?: TasksQueueOptions
587 ): void {
588 if (this.opts.enableTasksQueue === true && !enable) {
589 this.unsetTaskStealing()
590 this.unsetTasksStealingOnBackPressure()
591 this.flushTasksQueues()
592 }
593 this.opts.enableTasksQueue = enable
594 this.setTasksQueueOptions(tasksQueueOptions)
595 }
596
597 /** @inheritDoc */
598 public setTasksQueueOptions (
599 tasksQueueOptions: TasksQueueOptions | undefined
600 ): void {
601 if (this.opts.enableTasksQueue === true) {
602 checkValidTasksQueueOptions(tasksQueueOptions)
603 this.opts.tasksQueueOptions =
604 this.buildTasksQueueOptions(tasksQueueOptions)
605 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
606 this.setTasksQueueSize(this.opts.tasksQueueOptions.size!)
607 if (this.opts.tasksQueueOptions.taskStealing === true) {
608 this.unsetTaskStealing()
609 this.setTaskStealing()
610 } else {
611 this.unsetTaskStealing()
612 }
613 if (this.opts.tasksQueueOptions.tasksStealingOnBackPressure === true) {
614 this.unsetTasksStealingOnBackPressure()
615 this.setTasksStealingOnBackPressure()
616 } else {
617 this.unsetTasksStealingOnBackPressure()
618 }
619 } else if (this.opts.tasksQueueOptions != null) {
620 delete this.opts.tasksQueueOptions
621 }
622 }
623
624 private buildTasksQueueOptions (
625 tasksQueueOptions: TasksQueueOptions | undefined
626 ): TasksQueueOptions {
627 return {
628 ...getDefaultTasksQueueOptions(
629 this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers
630 ),
631 ...tasksQueueOptions
632 }
633 }
634
635 private setTasksQueueSize (size: number): void {
636 for (const workerNode of this.workerNodes) {
637 workerNode.tasksQueueBackPressureSize = size
638 }
639 }
640
641 private setTaskStealing (): void {
642 for (const [workerNodeKey] of this.workerNodes.entries()) {
643 this.workerNodes[workerNodeKey].on('idle', this.handleWorkerNodeIdleEvent)
644 }
645 }
646
647 private unsetTaskStealing (): void {
648 for (const [workerNodeKey] of this.workerNodes.entries()) {
649 this.workerNodes[workerNodeKey].off(
650 'idle',
651 this.handleWorkerNodeIdleEvent
652 )
653 }
654 }
655
656 private setTasksStealingOnBackPressure (): void {
657 for (const [workerNodeKey] of this.workerNodes.entries()) {
658 this.workerNodes[workerNodeKey].on(
659 'backPressure',
660 this.handleWorkerNodeBackPressureEvent
661 )
662 }
663 }
664
665 private unsetTasksStealingOnBackPressure (): void {
666 for (const [workerNodeKey] of this.workerNodes.entries()) {
667 this.workerNodes[workerNodeKey].off(
668 'backPressure',
669 this.handleWorkerNodeBackPressureEvent
670 )
671 }
672 }
673
674 /**
675 * Whether the pool is full or not.
676 *
677 * The pool filling boolean status.
678 */
679 protected get full (): boolean {
680 return (
681 this.workerNodes.length >=
682 (this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers)
683 )
684 }
685
686 /**
687 * Whether the pool is busy or not.
688 *
689 * The pool busyness boolean status.
690 */
691 protected abstract get busy (): boolean
692
693 /**
694 * Whether worker nodes are executing concurrently their tasks quota or not.
695 *
696 * @returns Worker nodes busyness boolean status.
697 */
698 protected internalBusy (): boolean {
699 if (this.opts.enableTasksQueue === true) {
700 return (
701 this.workerNodes.findIndex(
702 workerNode =>
703 workerNode.info.ready &&
704 workerNode.usage.tasks.executing <
705 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
706 this.opts.tasksQueueOptions!.concurrency!
707 ) === -1
708 )
709 }
710 return (
711 this.workerNodes.findIndex(
712 workerNode =>
713 workerNode.info.ready && workerNode.usage.tasks.executing === 0
714 ) === -1
715 )
716 }
717
718 private isWorkerNodeBusy (workerNodeKey: number): boolean {
719 if (this.opts.enableTasksQueue === true) {
720 return (
721 this.workerNodes[workerNodeKey].usage.tasks.executing >=
722 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
723 this.opts.tasksQueueOptions!.concurrency!
724 )
725 }
726 return this.workerNodes[workerNodeKey].usage.tasks.executing > 0
727 }
728
729 private async sendTaskFunctionOperationToWorker (
730 workerNodeKey: number,
731 message: MessageValue<Data>
732 ): Promise<boolean> {
733 return await new Promise<boolean>((resolve, reject) => {
734 const taskFunctionOperationListener = (
735 message: MessageValue<Response>
736 ): void => {
737 this.checkMessageWorkerId(message)
738 const workerId = this.getWorkerInfo(workerNodeKey)?.id
739 if (
740 message.taskFunctionOperationStatus != null &&
741 message.workerId === workerId
742 ) {
743 if (message.taskFunctionOperationStatus) {
744 resolve(true)
745 } else {
746 reject(
747 new Error(
748 `Task function operation '${message.taskFunctionOperation}' failed on worker ${message.workerId} with error: '${message.workerError?.message}'`
749 )
750 )
751 }
752 this.deregisterWorkerMessageListener(
753 this.getWorkerNodeKeyByWorkerId(message.workerId),
754 taskFunctionOperationListener
755 )
756 }
757 }
758 this.registerWorkerMessageListener(
759 workerNodeKey,
760 taskFunctionOperationListener
761 )
762 this.sendToWorker(workerNodeKey, message)
763 })
764 }
765
766 private async sendTaskFunctionOperationToWorkers (
767 message: MessageValue<Data>
768 ): Promise<boolean> {
769 return await new Promise<boolean>((resolve, reject) => {
770 const responsesReceived = new Array<MessageValue<Response>>()
771 const taskFunctionOperationsListener = (
772 message: MessageValue<Response>
773 ): void => {
774 this.checkMessageWorkerId(message)
775 if (message.taskFunctionOperationStatus != null) {
776 responsesReceived.push(message)
777 if (responsesReceived.length === this.workerNodes.length) {
778 if (
779 responsesReceived.every(
780 message => message.taskFunctionOperationStatus === true
781 )
782 ) {
783 resolve(true)
784 } else if (
785 responsesReceived.some(
786 message => message.taskFunctionOperationStatus === false
787 )
788 ) {
789 const errorResponse = responsesReceived.find(
790 response => response.taskFunctionOperationStatus === false
791 )
792 reject(
793 new Error(
794 `Task function operation '${
795 message.taskFunctionOperation as string
796 }' failed on worker ${errorResponse?.workerId} with error: '${
797 errorResponse?.workerError?.message
798 }'`
799 )
800 )
801 }
802 this.deregisterWorkerMessageListener(
803 this.getWorkerNodeKeyByWorkerId(message.workerId),
804 taskFunctionOperationsListener
805 )
806 }
807 }
808 }
809 for (const [workerNodeKey] of this.workerNodes.entries()) {
810 this.registerWorkerMessageListener(
811 workerNodeKey,
812 taskFunctionOperationsListener
813 )
814 this.sendToWorker(workerNodeKey, message)
815 }
816 })
817 }
818
819 /** @inheritDoc */
820 public hasTaskFunction (name: string): boolean {
821 return this.listTaskFunctionsProperties().some(
822 taskFunctionProperties => taskFunctionProperties.name === name
823 )
824 }
825
826 /** @inheritDoc */
827 public async addTaskFunction (
828 name: string,
829 fn: TaskFunction<Data, Response> | TaskFunctionObject<Data, Response>
830 ): Promise<boolean> {
831 if (typeof name !== 'string') {
832 throw new TypeError('name argument must be a string')
833 }
834 if (typeof name === 'string' && name.trim().length === 0) {
835 throw new TypeError('name argument must not be an empty string')
836 }
837 if (typeof fn === 'function') {
838 fn = { taskFunction: fn } satisfies TaskFunctionObject<Data, Response>
839 }
840 if (typeof fn.taskFunction !== 'function') {
841 throw new TypeError('taskFunction property must be a function')
842 }
843 const opResult = await this.sendTaskFunctionOperationToWorkers({
844 taskFunctionOperation: 'add',
845 taskFunctionProperties: buildTaskFunctionProperties(name, fn),
846 taskFunction: fn.taskFunction.toString()
847 })
848 this.taskFunctions.set(name, fn)
849 this.workerChoiceStrategiesContext?.syncWorkerChoiceStrategies(
850 this.getWorkerWorkerChoiceStrategies()
851 )
852 return opResult
853 }
854
855 /** @inheritDoc */
856 public async removeTaskFunction (name: string): Promise<boolean> {
857 if (!this.taskFunctions.has(name)) {
858 throw new Error(
859 'Cannot remove a task function not handled on the pool side'
860 )
861 }
862 const opResult = await this.sendTaskFunctionOperationToWorkers({
863 taskFunctionOperation: 'remove',
864 taskFunctionProperties: buildTaskFunctionProperties(
865 name,
866 this.taskFunctions.get(name)
867 )
868 })
869 this.deleteTaskFunctionWorkerUsages(name)
870 this.taskFunctions.delete(name)
871 this.workerChoiceStrategiesContext?.syncWorkerChoiceStrategies(
872 this.getWorkerWorkerChoiceStrategies()
873 )
874 return opResult
875 }
876
877 /** @inheritDoc */
878 public listTaskFunctionsProperties (): TaskFunctionProperties[] {
879 for (const workerNode of this.workerNodes) {
880 if (
881 Array.isArray(workerNode.info.taskFunctionsProperties) &&
882 workerNode.info.taskFunctionsProperties.length > 0
883 ) {
884 return workerNode.info.taskFunctionsProperties
885 }
886 }
887 return []
888 }
889
890 /**
891 * Gets task function strategy, if any.
892 *
893 * @param name - The task function name.
894 * @returns The task function worker choice strategy if the task function worker choice strategy is defined, `undefined` otherwise.
895 */
896 private readonly getTaskFunctionWorkerWorkerChoiceStrategy = (
897 name?: string
898 ): WorkerChoiceStrategy | undefined => {
899 if (name != null) {
900 return this.listTaskFunctionsProperties().find(
901 (taskFunctionProperties: TaskFunctionProperties) =>
902 taskFunctionProperties.name === name
903 )?.strategy
904 }
905 }
906
907 /**
908 * Gets the worker choice strategies registered in this pool.
909 *
910 * @returns The worker choice strategies.
911 */
912 private readonly getWorkerWorkerChoiceStrategies =
913 (): Set<WorkerChoiceStrategy> => {
914 return new Set([
915 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
916 this.opts.workerChoiceStrategy!,
917 ...(this.listTaskFunctionsProperties()
918 .map(
919 (taskFunctionProperties: TaskFunctionProperties) =>
920 taskFunctionProperties.strategy
921 )
922 .filter(
923 (strategy: WorkerChoiceStrategy | undefined) => strategy != null
924 ) as WorkerChoiceStrategy[])
925 ])
926 }
927
928 /** @inheritDoc */
929 public async setDefaultTaskFunction (name: string): Promise<boolean> {
930 return await this.sendTaskFunctionOperationToWorkers({
931 taskFunctionOperation: 'default',
932 taskFunctionProperties: buildTaskFunctionProperties(
933 name,
934 this.taskFunctions.get(name)
935 )
936 })
937 }
938
939 private deleteTaskFunctionWorkerUsages (name: string): void {
940 for (const workerNode of this.workerNodes) {
941 workerNode.deleteTaskFunctionWorkerUsage(name)
942 }
943 }
944
945 private shallExecuteTask (workerNodeKey: number): boolean {
946 return (
947 this.tasksQueueSize(workerNodeKey) === 0 &&
948 this.workerNodes[workerNodeKey].usage.tasks.executing <
949 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
950 this.opts.tasksQueueOptions!.concurrency!
951 )
952 }
953
954 /** @inheritDoc */
955 public async execute (
956 data?: Data,
957 name?: string,
958 transferList?: readonly TransferListItem[]
959 ): Promise<Response> {
960 return await new Promise<Response>((resolve, reject) => {
961 if (!this.started) {
962 reject(new Error('Cannot execute a task on not started pool'))
963 return
964 }
965 if (this.destroying) {
966 reject(new Error('Cannot execute a task on destroying pool'))
967 return
968 }
969 if (name != null && typeof name !== 'string') {
970 reject(new TypeError('name argument must be a string'))
971 return
972 }
973 if (
974 name != null &&
975 typeof name === 'string' &&
976 name.trim().length === 0
977 ) {
978 reject(new TypeError('name argument must not be an empty string'))
979 return
980 }
981 if (transferList != null && !Array.isArray(transferList)) {
982 reject(new TypeError('transferList argument must be an array'))
983 return
984 }
985 const timestamp = performance.now()
986 const workerNodeKey = this.chooseWorkerNode(
987 this.getTaskFunctionWorkerWorkerChoiceStrategy(name)
988 )
989 const task: Task<Data> = {
990 name: name ?? DEFAULT_TASK_NAME,
991 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
992 data: data ?? ({} as Data),
993 transferList,
994 timestamp,
995 taskId: randomUUID()
996 }
997 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
998 this.promiseResponseMap.set(task.taskId!, {
999 resolve,
1000 reject,
1001 workerNodeKey,
1002 ...(this.emitter != null && {
1003 asyncResource: new AsyncResource('poolifier:task', {
1004 triggerAsyncId: this.emitter.asyncId,
1005 requireManualDestroy: true
1006 })
1007 })
1008 })
1009 if (
1010 this.opts.enableTasksQueue === false ||
1011 (this.opts.enableTasksQueue === true &&
1012 this.shallExecuteTask(workerNodeKey))
1013 ) {
1014 this.executeTask(workerNodeKey, task)
1015 } else {
1016 this.enqueueTask(workerNodeKey, task)
1017 }
1018 })
1019 }
1020
1021 /**
1022 * Starts the minimum number of workers.
1023 */
1024 private startMinimumNumberOfWorkers (): void {
1025 this.startingMinimumNumberOfWorkers = true
1026 while (
1027 this.workerNodes.reduce(
1028 (accumulator, workerNode) =>
1029 !workerNode.info.dynamic ? accumulator + 1 : accumulator,
1030 0
1031 ) < this.minimumNumberOfWorkers
1032 ) {
1033 this.createAndSetupWorkerNode()
1034 }
1035 this.startingMinimumNumberOfWorkers = false
1036 }
1037
1038 /** @inheritdoc */
1039 public start (): void {
1040 if (this.started) {
1041 throw new Error('Cannot start an already started pool')
1042 }
1043 if (this.starting) {
1044 throw new Error('Cannot start an already starting pool')
1045 }
1046 if (this.destroying) {
1047 throw new Error('Cannot start a destroying pool')
1048 }
1049 this.starting = true
1050 this.startMinimumNumberOfWorkers()
1051 this.starting = false
1052 this.started = true
1053 }
1054
1055 /** @inheritDoc */
1056 public async destroy (): Promise<void> {
1057 if (!this.started) {
1058 throw new Error('Cannot destroy an already destroyed pool')
1059 }
1060 if (this.starting) {
1061 throw new Error('Cannot destroy an starting pool')
1062 }
1063 if (this.destroying) {
1064 throw new Error('Cannot destroy an already destroying pool')
1065 }
1066 this.destroying = true
1067 await Promise.all(
1068 this.workerNodes.map(async (_workerNode, workerNodeKey) => {
1069 await this.destroyWorkerNode(workerNodeKey)
1070 })
1071 )
1072 this.emitter?.emit(PoolEvents.destroy, this.info)
1073 this.emitter?.emitDestroy()
1074 this.readyEventEmitted = false
1075 this.destroying = false
1076 this.started = false
1077 }
1078
1079 private async sendKillMessageToWorker (workerNodeKey: number): Promise<void> {
1080 await new Promise<void>((resolve, reject) => {
1081 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1082 if (this.workerNodes[workerNodeKey] == null) {
1083 resolve()
1084 return
1085 }
1086 const killMessageListener = (message: MessageValue<Response>): void => {
1087 this.checkMessageWorkerId(message)
1088 if (message.kill === 'success') {
1089 resolve()
1090 } else if (message.kill === 'failure') {
1091 reject(
1092 new Error(
1093 `Kill message handling failed on worker ${message.workerId}`
1094 )
1095 )
1096 }
1097 }
1098 // FIXME: should be registered only once
1099 this.registerWorkerMessageListener(workerNodeKey, killMessageListener)
1100 this.sendToWorker(workerNodeKey, { kill: true })
1101 })
1102 }
1103
1104 /**
1105 * Terminates the worker node given its worker node key.
1106 *
1107 * @param workerNodeKey - The worker node key.
1108 */
1109 protected async destroyWorkerNode (workerNodeKey: number): Promise<void> {
1110 this.flagWorkerNodeAsNotReady(workerNodeKey)
1111 const flushedTasks = this.flushTasksQueue(workerNodeKey)
1112 const workerNode = this.workerNodes[workerNodeKey]
1113 await waitWorkerNodeEvents(
1114 workerNode,
1115 'taskFinished',
1116 flushedTasks,
1117 this.opts.tasksQueueOptions?.tasksFinishedTimeout ??
1118 getDefaultTasksQueueOptions(
1119 this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers
1120 ).tasksFinishedTimeout
1121 )
1122 await this.sendKillMessageToWorker(workerNodeKey)
1123 await workerNode.terminate()
1124 }
1125
1126 /**
1127 * Setup hook to execute code before worker nodes are created in the abstract constructor.
1128 * Can be overridden.
1129 *
1130 * @virtual
1131 */
1132 protected setupHook (): void {
1133 /* Intentionally empty */
1134 }
1135
1136 /**
1137 * Returns whether the worker is the main worker or not.
1138 *
1139 * @returns `true` if the worker is the main worker, `false` otherwise.
1140 */
1141 protected abstract isMain (): boolean
1142
1143 /**
1144 * Hook executed before the worker task execution.
1145 * Can be overridden.
1146 *
1147 * @param workerNodeKey - The worker node key.
1148 * @param task - The task to execute.
1149 */
1150 protected beforeTaskExecutionHook (
1151 workerNodeKey: number,
1152 task: Task<Data>
1153 ): void {
1154 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1155 if (this.workerNodes[workerNodeKey]?.usage != null) {
1156 const workerUsage = this.workerNodes[workerNodeKey].usage
1157 ++workerUsage.tasks.executing
1158 updateWaitTimeWorkerUsage(
1159 this.workerChoiceStrategiesContext,
1160 workerUsage,
1161 task
1162 )
1163 }
1164 if (
1165 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1166 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1167 this.workerNodes[workerNodeKey].getTaskFunctionWorkerUsage(task.name!) !=
1168 null
1169 ) {
1170 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1171 const taskFunctionWorkerUsage = this.workerNodes[
1172 workerNodeKey
1173 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1174 ].getTaskFunctionWorkerUsage(task.name!)!
1175 ++taskFunctionWorkerUsage.tasks.executing
1176 updateWaitTimeWorkerUsage(
1177 this.workerChoiceStrategiesContext,
1178 taskFunctionWorkerUsage,
1179 task
1180 )
1181 }
1182 }
1183
1184 /**
1185 * Hook executed after the worker task execution.
1186 * Can be overridden.
1187 *
1188 * @param workerNodeKey - The worker node key.
1189 * @param message - The received message.
1190 */
1191 protected afterTaskExecutionHook (
1192 workerNodeKey: number,
1193 message: MessageValue<Response>
1194 ): void {
1195 let needWorkerChoiceStrategyUpdate = false
1196 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1197 if (this.workerNodes[workerNodeKey]?.usage != null) {
1198 const workerUsage = this.workerNodes[workerNodeKey].usage
1199 updateTaskStatisticsWorkerUsage(workerUsage, message)
1200 updateRunTimeWorkerUsage(
1201 this.workerChoiceStrategiesContext,
1202 workerUsage,
1203 message
1204 )
1205 updateEluWorkerUsage(
1206 this.workerChoiceStrategiesContext,
1207 workerUsage,
1208 message
1209 )
1210 needWorkerChoiceStrategyUpdate = true
1211 }
1212 if (
1213 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1214 this.workerNodes[workerNodeKey].getTaskFunctionWorkerUsage(
1215 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1216 message.taskPerformance!.name
1217 ) != null
1218 ) {
1219 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1220 const taskFunctionWorkerUsage = this.workerNodes[
1221 workerNodeKey
1222 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1223 ].getTaskFunctionWorkerUsage(message.taskPerformance!.name)!
1224 updateTaskStatisticsWorkerUsage(taskFunctionWorkerUsage, message)
1225 updateRunTimeWorkerUsage(
1226 this.workerChoiceStrategiesContext,
1227 taskFunctionWorkerUsage,
1228 message
1229 )
1230 updateEluWorkerUsage(
1231 this.workerChoiceStrategiesContext,
1232 taskFunctionWorkerUsage,
1233 message
1234 )
1235 needWorkerChoiceStrategyUpdate = true
1236 }
1237 if (needWorkerChoiceStrategyUpdate) {
1238 this.workerChoiceStrategiesContext?.update(workerNodeKey)
1239 }
1240 }
1241
1242 /**
1243 * Whether the worker node shall update its task function worker usage or not.
1244 *
1245 * @param workerNodeKey - The worker node key.
1246 * @returns `true` if the worker node shall update its task function worker usage, `false` otherwise.
1247 */
1248 private shallUpdateTaskFunctionWorkerUsage (workerNodeKey: number): boolean {
1249 const workerInfo = this.getWorkerInfo(workerNodeKey)
1250 return (
1251 workerInfo != null &&
1252 Array.isArray(workerInfo.taskFunctionsProperties) &&
1253 workerInfo.taskFunctionsProperties.length > 2
1254 )
1255 }
1256
1257 /**
1258 * Chooses a worker node for the next task.
1259 *
1260 * @param workerChoiceStrategy - The worker choice strategy.
1261 * @returns The chosen worker node key
1262 */
1263 private chooseWorkerNode (
1264 workerChoiceStrategy?: WorkerChoiceStrategy
1265 ): number {
1266 if (this.shallCreateDynamicWorker()) {
1267 const workerNodeKey = this.createAndSetupDynamicWorkerNode()
1268 if (
1269 this.workerChoiceStrategiesContext?.getPolicy().dynamicWorkerUsage ===
1270 true
1271 ) {
1272 return workerNodeKey
1273 }
1274 }
1275 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1276 return this.workerChoiceStrategiesContext!.execute(workerChoiceStrategy)
1277 }
1278
1279 /**
1280 * Conditions for dynamic worker creation.
1281 *
1282 * @returns Whether to create a dynamic worker or not.
1283 */
1284 protected abstract shallCreateDynamicWorker (): boolean
1285
1286 /**
1287 * Sends a message to worker given its worker node key.
1288 *
1289 * @param workerNodeKey - The worker node key.
1290 * @param message - The message.
1291 * @param transferList - The optional array of transferable objects.
1292 */
1293 protected abstract sendToWorker (
1294 workerNodeKey: number,
1295 message: MessageValue<Data>,
1296 transferList?: readonly TransferListItem[]
1297 ): void
1298
1299 /**
1300 * Creates a new, completely set up worker node.
1301 *
1302 * @returns New, completely set up worker node key.
1303 */
1304 protected createAndSetupWorkerNode (): number {
1305 const workerNode = this.createWorkerNode()
1306 workerNode.registerWorkerEventHandler(
1307 'online',
1308 this.opts.onlineHandler ?? EMPTY_FUNCTION
1309 )
1310 workerNode.registerWorkerEventHandler(
1311 'message',
1312 this.opts.messageHandler ?? EMPTY_FUNCTION
1313 )
1314 workerNode.registerWorkerEventHandler(
1315 'error',
1316 this.opts.errorHandler ?? EMPTY_FUNCTION
1317 )
1318 workerNode.registerOnceWorkerEventHandler('error', (error: Error) => {
1319 workerNode.info.ready = false
1320 this.emitter?.emit(PoolEvents.error, error)
1321 if (
1322 this.started &&
1323 !this.destroying &&
1324 this.opts.restartWorkerOnError === true
1325 ) {
1326 if (workerNode.info.dynamic) {
1327 this.createAndSetupDynamicWorkerNode()
1328 } else if (!this.startingMinimumNumberOfWorkers) {
1329 this.startMinimumNumberOfWorkers()
1330 }
1331 }
1332 if (
1333 this.started &&
1334 !this.destroying &&
1335 this.opts.enableTasksQueue === true
1336 ) {
1337 this.redistributeQueuedTasks(this.workerNodes.indexOf(workerNode))
1338 }
1339 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1340 workerNode?.terminate().catch((error: unknown) => {
1341 this.emitter?.emit(PoolEvents.error, error)
1342 })
1343 })
1344 workerNode.registerWorkerEventHandler(
1345 'exit',
1346 this.opts.exitHandler ?? EMPTY_FUNCTION
1347 )
1348 workerNode.registerOnceWorkerEventHandler('exit', () => {
1349 this.removeWorkerNode(workerNode)
1350 if (
1351 this.started &&
1352 !this.startingMinimumNumberOfWorkers &&
1353 !this.destroying
1354 ) {
1355 this.startMinimumNumberOfWorkers()
1356 }
1357 })
1358 const workerNodeKey = this.addWorkerNode(workerNode)
1359 this.afterWorkerNodeSetup(workerNodeKey)
1360 return workerNodeKey
1361 }
1362
1363 /**
1364 * Creates a new, completely set up dynamic worker node.
1365 *
1366 * @returns New, completely set up dynamic worker node key.
1367 */
1368 protected createAndSetupDynamicWorkerNode (): number {
1369 const workerNodeKey = this.createAndSetupWorkerNode()
1370 this.registerWorkerMessageListener(workerNodeKey, message => {
1371 this.checkMessageWorkerId(message)
1372 const localWorkerNodeKey = this.getWorkerNodeKeyByWorkerId(
1373 message.workerId
1374 )
1375 const workerUsage = this.workerNodes[localWorkerNodeKey]?.usage
1376 // Kill message received from worker
1377 if (
1378 isKillBehavior(KillBehaviors.HARD, message.kill) ||
1379 (isKillBehavior(KillBehaviors.SOFT, message.kill) &&
1380 ((this.opts.enableTasksQueue === false &&
1381 workerUsage.tasks.executing === 0) ||
1382 (this.opts.enableTasksQueue === true &&
1383 workerUsage.tasks.executing === 0 &&
1384 this.tasksQueueSize(localWorkerNodeKey) === 0)))
1385 ) {
1386 // Flag the worker node as not ready immediately
1387 this.flagWorkerNodeAsNotReady(localWorkerNodeKey)
1388 this.destroyWorkerNode(localWorkerNodeKey).catch((error: unknown) => {
1389 this.emitter?.emit(PoolEvents.error, error)
1390 })
1391 }
1392 })
1393 this.sendToWorker(workerNodeKey, {
1394 checkActive: true
1395 })
1396 if (this.taskFunctions.size > 0) {
1397 for (const [taskFunctionName, taskFunctionObject] of this.taskFunctions) {
1398 this.sendTaskFunctionOperationToWorker(workerNodeKey, {
1399 taskFunctionOperation: 'add',
1400 taskFunctionProperties: buildTaskFunctionProperties(
1401 taskFunctionName,
1402 taskFunctionObject
1403 ),
1404 taskFunction: taskFunctionObject.taskFunction.toString()
1405 }).catch((error: unknown) => {
1406 this.emitter?.emit(PoolEvents.error, error)
1407 })
1408 }
1409 }
1410 const workerNode = this.workerNodes[workerNodeKey]
1411 workerNode.info.dynamic = true
1412 if (
1413 this.workerChoiceStrategiesContext?.getPolicy().dynamicWorkerReady ===
1414 true ||
1415 this.workerChoiceStrategiesContext?.getPolicy().dynamicWorkerUsage ===
1416 true
1417 ) {
1418 workerNode.info.ready = true
1419 }
1420 this.checkAndEmitDynamicWorkerCreationEvents()
1421 return workerNodeKey
1422 }
1423
1424 /**
1425 * Registers a listener callback on the worker given its worker node key.
1426 *
1427 * @param workerNodeKey - The worker node key.
1428 * @param listener - The message listener callback.
1429 */
1430 protected abstract registerWorkerMessageListener<
1431 Message extends Data | Response
1432 >(
1433 workerNodeKey: number,
1434 listener: (message: MessageValue<Message>) => void
1435 ): void
1436
1437 /**
1438 * Registers once a listener callback on the worker given its worker node key.
1439 *
1440 * @param workerNodeKey - The worker node key.
1441 * @param listener - The message listener callback.
1442 */
1443 protected abstract registerOnceWorkerMessageListener<
1444 Message extends Data | Response
1445 >(
1446 workerNodeKey: number,
1447 listener: (message: MessageValue<Message>) => void
1448 ): void
1449
1450 /**
1451 * Deregisters a listener callback on the worker given its worker node key.
1452 *
1453 * @param workerNodeKey - The worker node key.
1454 * @param listener - The message listener callback.
1455 */
1456 protected abstract deregisterWorkerMessageListener<
1457 Message extends Data | Response
1458 >(
1459 workerNodeKey: number,
1460 listener: (message: MessageValue<Message>) => void
1461 ): void
1462
1463 /**
1464 * Method hooked up after a worker node has been newly created.
1465 * Can be overridden.
1466 *
1467 * @param workerNodeKey - The newly created worker node key.
1468 */
1469 protected afterWorkerNodeSetup (workerNodeKey: number): void {
1470 // Listen to worker messages.
1471 this.registerWorkerMessageListener(
1472 workerNodeKey,
1473 this.workerMessageListener
1474 )
1475 // Send the startup message to worker.
1476 this.sendStartupMessageToWorker(workerNodeKey)
1477 // Send the statistics message to worker.
1478 this.sendStatisticsMessageToWorker(workerNodeKey)
1479 if (this.opts.enableTasksQueue === true) {
1480 if (this.opts.tasksQueueOptions?.taskStealing === true) {
1481 this.workerNodes[workerNodeKey].on(
1482 'idle',
1483 this.handleWorkerNodeIdleEvent
1484 )
1485 }
1486 if (this.opts.tasksQueueOptions?.tasksStealingOnBackPressure === true) {
1487 this.workerNodes[workerNodeKey].on(
1488 'backPressure',
1489 this.handleWorkerNodeBackPressureEvent
1490 )
1491 }
1492 }
1493 }
1494
1495 /**
1496 * Sends the startup message to worker given its worker node key.
1497 *
1498 * @param workerNodeKey - The worker node key.
1499 */
1500 protected abstract sendStartupMessageToWorker (workerNodeKey: number): void
1501
1502 /**
1503 * Sends the statistics message to worker given its worker node key.
1504 *
1505 * @param workerNodeKey - The worker node key.
1506 */
1507 private sendStatisticsMessageToWorker (workerNodeKey: number): void {
1508 this.sendToWorker(workerNodeKey, {
1509 statistics: {
1510 runTime:
1511 this.workerChoiceStrategiesContext?.getTaskStatisticsRequirements()
1512 .runTime.aggregate ?? false,
1513 elu:
1514 this.workerChoiceStrategiesContext?.getTaskStatisticsRequirements()
1515 .elu.aggregate ?? false
1516 }
1517 })
1518 }
1519
1520 private cannotStealTask (): boolean {
1521 return this.workerNodes.length <= 1 || this.info.queuedTasks === 0
1522 }
1523
1524 private handleTask (workerNodeKey: number, task: Task<Data>): void {
1525 if (this.shallExecuteTask(workerNodeKey)) {
1526 this.executeTask(workerNodeKey, task)
1527 } else {
1528 this.enqueueTask(workerNodeKey, task)
1529 }
1530 }
1531
1532 private redistributeQueuedTasks (workerNodeKey: number): void {
1533 if (workerNodeKey === -1 || this.cannotStealTask()) {
1534 return
1535 }
1536 while (this.tasksQueueSize(workerNodeKey) > 0) {
1537 const destinationWorkerNodeKey = this.workerNodes.reduce(
1538 (minWorkerNodeKey, workerNode, workerNodeKey, workerNodes) => {
1539 return workerNode.info.ready &&
1540 workerNode.usage.tasks.queued <
1541 workerNodes[minWorkerNodeKey].usage.tasks.queued
1542 ? workerNodeKey
1543 : minWorkerNodeKey
1544 },
1545 0
1546 )
1547 this.handleTask(
1548 destinationWorkerNodeKey,
1549 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1550 this.dequeueTask(workerNodeKey)!
1551 )
1552 }
1553 }
1554
1555 private updateTaskStolenStatisticsWorkerUsage (
1556 workerNodeKey: number,
1557 taskName: string
1558 ): void {
1559 const workerNode = this.workerNodes[workerNodeKey]
1560 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1561 if (workerNode?.usage != null) {
1562 ++workerNode.usage.tasks.stolen
1563 }
1564 if (
1565 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1566 workerNode.getTaskFunctionWorkerUsage(taskName) != null
1567 ) {
1568 const taskFunctionWorkerUsage =
1569 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1570 workerNode.getTaskFunctionWorkerUsage(taskName)!
1571 ++taskFunctionWorkerUsage.tasks.stolen
1572 }
1573 }
1574
1575 private updateTaskSequentiallyStolenStatisticsWorkerUsage (
1576 workerNodeKey: number
1577 ): void {
1578 const workerNode = this.workerNodes[workerNodeKey]
1579 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1580 if (workerNode?.usage != null) {
1581 ++workerNode.usage.tasks.sequentiallyStolen
1582 }
1583 }
1584
1585 private updateTaskSequentiallyStolenStatisticsTaskFunctionWorkerUsage (
1586 workerNodeKey: number,
1587 taskName: string
1588 ): void {
1589 const workerNode = this.workerNodes[workerNodeKey]
1590 if (
1591 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1592 workerNode.getTaskFunctionWorkerUsage(taskName) != null
1593 ) {
1594 const taskFunctionWorkerUsage =
1595 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1596 workerNode.getTaskFunctionWorkerUsage(taskName)!
1597 ++taskFunctionWorkerUsage.tasks.sequentiallyStolen
1598 }
1599 }
1600
1601 private resetTaskSequentiallyStolenStatisticsWorkerUsage (
1602 workerNodeKey: number
1603 ): void {
1604 const workerNode = this.workerNodes[workerNodeKey]
1605 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1606 if (workerNode?.usage != null) {
1607 workerNode.usage.tasks.sequentiallyStolen = 0
1608 }
1609 }
1610
1611 private resetTaskSequentiallyStolenStatisticsTaskFunctionWorkerUsage (
1612 workerNodeKey: number,
1613 taskName: string
1614 ): void {
1615 const workerNode = this.workerNodes[workerNodeKey]
1616 if (
1617 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1618 workerNode.getTaskFunctionWorkerUsage(taskName) != null
1619 ) {
1620 const taskFunctionWorkerUsage =
1621 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1622 workerNode.getTaskFunctionWorkerUsage(taskName)!
1623 taskFunctionWorkerUsage.tasks.sequentiallyStolen = 0
1624 }
1625 }
1626
1627 private readonly handleWorkerNodeIdleEvent = (
1628 eventDetail: WorkerNodeEventDetail,
1629 previousStolenTask?: Task<Data>
1630 ): void => {
1631 const { workerNodeKey } = eventDetail
1632 if (workerNodeKey == null) {
1633 throw new Error(
1634 "WorkerNode event detail 'workerNodeKey' property must be defined"
1635 )
1636 }
1637 const workerInfo = this.getWorkerInfo(workerNodeKey)
1638 if (
1639 this.cannotStealTask() ||
1640 (this.info.stealingWorkerNodes ?? 0) >
1641 Math.floor(this.workerNodes.length / 2)
1642 ) {
1643 if (workerInfo != null && previousStolenTask != null) {
1644 workerInfo.stealing = false
1645 }
1646 return
1647 }
1648 const workerNodeTasksUsage = this.workerNodes[workerNodeKey].usage.tasks
1649 if (
1650 workerInfo != null &&
1651 previousStolenTask != null &&
1652 workerNodeTasksUsage.sequentiallyStolen > 0 &&
1653 (workerNodeTasksUsage.executing > 0 ||
1654 this.tasksQueueSize(workerNodeKey) > 0)
1655 ) {
1656 workerInfo.stealing = false
1657 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1658 for (const taskFunctionProperties of workerInfo.taskFunctionsProperties!) {
1659 this.resetTaskSequentiallyStolenStatisticsTaskFunctionWorkerUsage(
1660 workerNodeKey,
1661 taskFunctionProperties.name
1662 )
1663 }
1664 this.resetTaskSequentiallyStolenStatisticsWorkerUsage(workerNodeKey)
1665 return
1666 }
1667 if (workerInfo == null) {
1668 throw new Error(
1669 `Worker node with key '${workerNodeKey}' not found in pool`
1670 )
1671 }
1672 workerInfo.stealing = true
1673 const stolenTask = this.workerNodeStealTask(workerNodeKey)
1674 if (
1675 this.shallUpdateTaskFunctionWorkerUsage(workerNodeKey) &&
1676 stolenTask != null
1677 ) {
1678 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1679 const taskFunctionTasksWorkerUsage = this.workerNodes[
1680 workerNodeKey
1681 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1682 ].getTaskFunctionWorkerUsage(stolenTask.name!)!.tasks
1683 if (
1684 taskFunctionTasksWorkerUsage.sequentiallyStolen === 0 ||
1685 (previousStolenTask != null &&
1686 previousStolenTask.name === stolenTask.name &&
1687 taskFunctionTasksWorkerUsage.sequentiallyStolen > 0)
1688 ) {
1689 this.updateTaskSequentiallyStolenStatisticsTaskFunctionWorkerUsage(
1690 workerNodeKey,
1691 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1692 stolenTask.name!
1693 )
1694 } else {
1695 this.resetTaskSequentiallyStolenStatisticsTaskFunctionWorkerUsage(
1696 workerNodeKey,
1697 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1698 stolenTask.name!
1699 )
1700 }
1701 }
1702 sleep(exponentialDelay(workerNodeTasksUsage.sequentiallyStolen))
1703 .then(() => {
1704 this.handleWorkerNodeIdleEvent(eventDetail, stolenTask)
1705 return undefined
1706 })
1707 .catch((error: unknown) => {
1708 this.emitter?.emit(PoolEvents.error, error)
1709 })
1710 }
1711
1712 private readonly workerNodeStealTask = (
1713 workerNodeKey: number
1714 ): Task<Data> | undefined => {
1715 const workerNodes = this.workerNodes
1716 .slice()
1717 .sort(
1718 (workerNodeA, workerNodeB) =>
1719 workerNodeB.usage.tasks.queued - workerNodeA.usage.tasks.queued
1720 )
1721 const sourceWorkerNode = workerNodes.find(
1722 (sourceWorkerNode, sourceWorkerNodeKey) =>
1723 sourceWorkerNode.info.ready &&
1724 !sourceWorkerNode.info.stealing &&
1725 sourceWorkerNodeKey !== workerNodeKey &&
1726 sourceWorkerNode.usage.tasks.queued > 0
1727 )
1728 if (sourceWorkerNode != null) {
1729 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1730 const task = sourceWorkerNode.popTask()!
1731 this.handleTask(workerNodeKey, task)
1732 this.updateTaskSequentiallyStolenStatisticsWorkerUsage(workerNodeKey)
1733 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1734 this.updateTaskStolenStatisticsWorkerUsage(workerNodeKey, task.name!)
1735 return task
1736 }
1737 }
1738
1739 private readonly handleWorkerNodeBackPressureEvent = (
1740 eventDetail: WorkerNodeEventDetail
1741 ): void => {
1742 if (
1743 this.cannotStealTask() ||
1744 (this.info.stealingWorkerNodes ?? 0) >
1745 Math.floor(this.workerNodes.length / 2)
1746 ) {
1747 return
1748 }
1749 const { workerId } = eventDetail
1750 const sizeOffset = 1
1751 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1752 if (this.opts.tasksQueueOptions!.size! <= sizeOffset) {
1753 return
1754 }
1755 const sourceWorkerNode =
1756 this.workerNodes[this.getWorkerNodeKeyByWorkerId(workerId)]
1757 const workerNodes = this.workerNodes
1758 .slice()
1759 .sort(
1760 (workerNodeA, workerNodeB) =>
1761 workerNodeA.usage.tasks.queued - workerNodeB.usage.tasks.queued
1762 )
1763 for (const [workerNodeKey, workerNode] of workerNodes.entries()) {
1764 if (
1765 sourceWorkerNode.usage.tasks.queued > 0 &&
1766 workerNode.info.ready &&
1767 !workerNode.info.stealing &&
1768 workerNode.info.id !== workerId &&
1769 workerNode.usage.tasks.queued <
1770 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1771 this.opts.tasksQueueOptions!.size! - sizeOffset
1772 ) {
1773 const workerInfo = this.getWorkerInfo(workerNodeKey)
1774 if (workerInfo == null) {
1775 throw new Error(
1776 `Worker node with key '${workerNodeKey}' not found in pool`
1777 )
1778 }
1779 workerInfo.stealing = true
1780 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1781 const task = sourceWorkerNode.popTask()!
1782 this.handleTask(workerNodeKey, task)
1783 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1784 this.updateTaskStolenStatisticsWorkerUsage(workerNodeKey, task.name!)
1785 workerInfo.stealing = false
1786 }
1787 }
1788 }
1789
1790 /**
1791 * This method is the message listener registered on each worker.
1792 */
1793 protected readonly workerMessageListener = (
1794 message: MessageValue<Response>
1795 ): void => {
1796 this.checkMessageWorkerId(message)
1797 const { workerId, ready, taskId, taskFunctionsProperties } = message
1798 if (ready != null && taskFunctionsProperties != null) {
1799 // Worker ready response received from worker
1800 this.handleWorkerReadyResponse(message)
1801 } else if (taskFunctionsProperties != null) {
1802 // Task function properties message received from worker
1803 const workerInfo = this.getWorkerInfo(
1804 this.getWorkerNodeKeyByWorkerId(workerId)
1805 )
1806 if (workerInfo != null) {
1807 workerInfo.taskFunctionsProperties = taskFunctionsProperties
1808 }
1809 } else if (taskId != null) {
1810 // Task execution response received from worker
1811 this.handleTaskExecutionResponse(message)
1812 }
1813 }
1814
1815 private checkAndEmitReadyEvent (): void {
1816 if (!this.readyEventEmitted && this.ready) {
1817 this.emitter?.emit(PoolEvents.ready, this.info)
1818 this.readyEventEmitted = true
1819 }
1820 }
1821
1822 private handleWorkerReadyResponse (message: MessageValue<Response>): void {
1823 const { workerId, ready, taskFunctionsProperties } = message
1824 if (ready == null || !ready) {
1825 throw new Error(`Worker ${workerId} failed to initialize`)
1826 }
1827 const workerNode =
1828 this.workerNodes[this.getWorkerNodeKeyByWorkerId(workerId)]
1829 workerNode.info.ready = ready
1830 workerNode.info.taskFunctionsProperties = taskFunctionsProperties
1831 this.checkAndEmitReadyEvent()
1832 }
1833
1834 private handleTaskExecutionResponse (message: MessageValue<Response>): void {
1835 const { workerId, taskId, workerError, data } = message
1836 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1837 const promiseResponse = this.promiseResponseMap.get(taskId!)
1838 if (promiseResponse != null) {
1839 const { resolve, reject, workerNodeKey, asyncResource } = promiseResponse
1840 const workerNode = this.workerNodes[workerNodeKey]
1841 if (workerError != null) {
1842 this.emitter?.emit(PoolEvents.taskError, workerError)
1843 asyncResource != null
1844 ? asyncResource.runInAsyncScope(
1845 reject,
1846 this.emitter,
1847 workerError.message
1848 )
1849 : reject(workerError.message)
1850 } else {
1851 asyncResource != null
1852 ? asyncResource.runInAsyncScope(resolve, this.emitter, data)
1853 : resolve(data as Response)
1854 }
1855 asyncResource?.emitDestroy()
1856 this.afterTaskExecutionHook(workerNodeKey, message)
1857 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1858 this.promiseResponseMap.delete(taskId!)
1859 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1860 workerNode?.emit('taskFinished', taskId)
1861 if (
1862 this.opts.enableTasksQueue === true &&
1863 !this.destroying &&
1864 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
1865 workerNode != null
1866 ) {
1867 const workerNodeTasksUsage = workerNode.usage.tasks
1868 if (
1869 this.tasksQueueSize(workerNodeKey) > 0 &&
1870 workerNodeTasksUsage.executing <
1871 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1872 this.opts.tasksQueueOptions!.concurrency!
1873 ) {
1874 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
1875 this.executeTask(workerNodeKey, this.dequeueTask(workerNodeKey)!)
1876 }
1877 if (
1878 workerNodeTasksUsage.executing === 0 &&
1879 this.tasksQueueSize(workerNodeKey) === 0 &&
1880 workerNodeTasksUsage.sequentiallyStolen === 0
1881 ) {
1882 workerNode.emit('idle', {
1883 workerId,
1884 workerNodeKey
1885 })
1886 }
1887 }
1888 }
1889 }
1890
1891 private checkAndEmitTaskExecutionEvents (): void {
1892 if (this.busy) {
1893 this.emitter?.emit(PoolEvents.busy, this.info)
1894 }
1895 }
1896
1897 private checkAndEmitTaskQueuingEvents (): void {
1898 if (this.hasBackPressure()) {
1899 this.emitter?.emit(PoolEvents.backPressure, this.info)
1900 }
1901 }
1902
1903 /**
1904 * Emits dynamic worker creation events.
1905 */
1906 protected abstract checkAndEmitDynamicWorkerCreationEvents (): void
1907
1908 /**
1909 * Gets the worker information given its worker node key.
1910 *
1911 * @param workerNodeKey - The worker node key.
1912 * @returns The worker information.
1913 */
1914 protected getWorkerInfo (workerNodeKey: number): WorkerInfo | undefined {
1915 return this.workerNodes[workerNodeKey]?.info
1916 }
1917
1918 /**
1919 * Creates a worker node.
1920 *
1921 * @returns The created worker node.
1922 */
1923 private createWorkerNode (): IWorkerNode<Worker, Data> {
1924 const workerNode = new WorkerNode<Worker, Data>(
1925 this.worker,
1926 this.filePath,
1927 {
1928 env: this.opts.env,
1929 workerOptions: this.opts.workerOptions,
1930 tasksQueueBackPressureSize:
1931 this.opts.tasksQueueOptions?.size ??
1932 getDefaultTasksQueueOptions(
1933 this.maximumNumberOfWorkers ?? this.minimumNumberOfWorkers
1934 ).size
1935 }
1936 )
1937 // Flag the worker node as ready at pool startup.
1938 if (this.starting) {
1939 workerNode.info.ready = true
1940 }
1941 return workerNode
1942 }
1943
1944 /**
1945 * Adds the given worker node in the pool worker nodes.
1946 *
1947 * @param workerNode - The worker node.
1948 * @returns The added worker node key.
1949 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the added worker node is not found.
1950 */
1951 private addWorkerNode (workerNode: IWorkerNode<Worker, Data>): number {
1952 this.workerNodes.push(workerNode)
1953 const workerNodeKey = this.workerNodes.indexOf(workerNode)
1954 if (workerNodeKey === -1) {
1955 throw new Error('Worker added not found in worker nodes')
1956 }
1957 return workerNodeKey
1958 }
1959
1960 private checkAndEmitEmptyEvent (): void {
1961 if (this.empty) {
1962 this.emitter?.emit(PoolEvents.empty, this.info)
1963 this.readyEventEmitted = false
1964 }
1965 }
1966
1967 /**
1968 * Removes the worker node from the pool worker nodes.
1969 *
1970 * @param workerNode - The worker node.
1971 */
1972 private removeWorkerNode (workerNode: IWorkerNode<Worker, Data>): void {
1973 const workerNodeKey = this.workerNodes.indexOf(workerNode)
1974 if (workerNodeKey !== -1) {
1975 this.workerNodes.splice(workerNodeKey, 1)
1976 this.workerChoiceStrategiesContext?.remove(workerNodeKey)
1977 }
1978 this.checkAndEmitEmptyEvent()
1979 }
1980
1981 protected flagWorkerNodeAsNotReady (workerNodeKey: number): void {
1982 const workerInfo = this.getWorkerInfo(workerNodeKey)
1983 if (workerInfo != null) {
1984 workerInfo.ready = false
1985 }
1986 }
1987
1988 private hasBackPressure (): boolean {
1989 return (
1990 this.opts.enableTasksQueue === true &&
1991 this.workerNodes.findIndex(
1992 workerNode => !workerNode.hasBackPressure()
1993 ) === -1
1994 )
1995 }
1996
1997 /**
1998 * Executes the given task on the worker given its worker node key.
1999 *
2000 * @param workerNodeKey - The worker node key.
2001 * @param task - The task to execute.
2002 */
2003 private executeTask (workerNodeKey: number, task: Task<Data>): void {
2004 this.beforeTaskExecutionHook(workerNodeKey, task)
2005 this.sendToWorker(workerNodeKey, task, task.transferList)
2006 this.checkAndEmitTaskExecutionEvents()
2007 }
2008
2009 private enqueueTask (workerNodeKey: number, task: Task<Data>): number {
2010 const tasksQueueSize = this.workerNodes[workerNodeKey].enqueueTask(task)
2011 this.checkAndEmitTaskQueuingEvents()
2012 return tasksQueueSize
2013 }
2014
2015 private dequeueTask (workerNodeKey: number): Task<Data> | undefined {
2016 return this.workerNodes[workerNodeKey].dequeueTask()
2017 }
2018
2019 private tasksQueueSize (workerNodeKey: number): number {
2020 return this.workerNodes[workerNodeKey].tasksQueueSize()
2021 }
2022
2023 protected flushTasksQueue (workerNodeKey: number): number {
2024 let flushedTasks = 0
2025 while (this.tasksQueueSize(workerNodeKey) > 0) {
2026 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
2027 this.executeTask(workerNodeKey, this.dequeueTask(workerNodeKey)!)
2028 ++flushedTasks
2029 }
2030 this.workerNodes[workerNodeKey].clearTasksQueue()
2031 return flushedTasks
2032 }
2033
2034 private flushTasksQueues (): void {
2035 for (const [workerNodeKey] of this.workerNodes.entries()) {
2036 this.flushTasksQueue(workerNodeKey)
2037 }
2038 }
2039 }