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