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