chore: generate documentation
[poolifier.git] / src / pools / abstract-pool.ts
CommitLineData
fc3e6586 1import crypto from 'node:crypto'
2740a743 2import type { MessageValue, PromiseResponseWrapper } from '../utility-types'
bbeadd16
JB
3import {
4 DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS,
5 EMPTY_FUNCTION,
6 median
7} from '../utils'
34a0cfab 8import { KillBehaviors, isKillBehavior } from '../worker/worker-options'
c4855468
JB
9import {
10 PoolEvents,
11 type IPool,
12 type PoolOptions,
13 type TasksQueueOptions,
14 PoolType
15} from './pool'
b4904890 16import { PoolEmitter } from './pool'
f06e48d8 17import type { IWorker, Task, TasksUsage, WorkerNode } from './worker'
a35560ba
S
18import {
19 WorkerChoiceStrategies,
a20f0ba5
JB
20 type WorkerChoiceStrategy,
21 type WorkerChoiceStrategyOptions
bdaf31cd
JB
22} from './selection-strategies/selection-strategies-types'
23import { WorkerChoiceStrategyContext } from './selection-strategies/worker-choice-strategy-context'
f82cd357 24import { CircularArray } from '../circular-array'
c97c7edb 25
729c563d 26/**
ea7a90d3 27 * Base class that implements some shared logic for all poolifier pools.
729c563d 28 *
38e795c1
JB
29 * @typeParam Worker - Type of worker which manages this pool.
30 * @typeParam Data - Type of data sent to the worker. This can only be serializable data.
02706357 31 * @typeParam Response - Type of execution response. This can only be serializable data.
729c563d 32 */
c97c7edb 33export abstract class AbstractPool<
f06e48d8 34 Worker extends IWorker,
d3c8a1a8
S
35 Data = unknown,
36 Response = unknown
c4855468 37> implements IPool<Worker, Data, Response> {
afc003b2 38 /** @inheritDoc */
f06e48d8 39 public readonly workerNodes: Array<WorkerNode<Worker, Data>> = []
4a6952ff 40
afc003b2 41 /** @inheritDoc */
7c0ba920
JB
42 public readonly emitter?: PoolEmitter
43
be0676b3 44 /**
a3445496 45 * The execution response promise map.
be0676b3 46 *
2740a743 47 * - `key`: The message id of each submitted task.
a3445496 48 * - `value`: An object that contains the worker, the execution response promise resolve and reject callbacks.
be0676b3 49 *
a3445496 50 * When we receive a message from the worker, we get a map entry with the promise resolve/reject bound to the message id.
be0676b3 51 */
c923ce56
JB
52 protected promiseResponseMap: Map<
53 string,
54 PromiseResponseWrapper<Worker, Response>
55 > = new Map<string, PromiseResponseWrapper<Worker, Response>>()
c97c7edb 56
a35560ba 57 /**
51fe3d3c 58 * Worker choice strategy context referencing a worker choice algorithm implementation.
a35560ba 59 *
51fe3d3c 60 * Default to a round robin algorithm.
a35560ba
S
61 */
62 protected workerChoiceStrategyContext: WorkerChoiceStrategyContext<
78cea37e
JB
63 Worker,
64 Data,
65 Response
a35560ba
S
66 >
67
729c563d
S
68 /**
69 * Constructs a new poolifier pool.
70 *
38e795c1 71 * @param numberOfWorkers - Number of workers that this pool should manage.
029715f0 72 * @param filePath - Path to the worker file.
38e795c1 73 * @param opts - Options for the pool.
729c563d 74 */
c97c7edb 75 public constructor (
5c5a1fb7 76 public readonly numberOfWorkers: number,
c97c7edb 77 public readonly filePath: string,
1927ee67 78 public readonly opts: PoolOptions<Worker>
c97c7edb 79 ) {
78cea37e 80 if (!this.isMain()) {
c97c7edb
S
81 throw new Error('Cannot start a pool from a worker!')
82 }
8d3782fa 83 this.checkNumberOfWorkers(this.numberOfWorkers)
c510fea7 84 this.checkFilePath(this.filePath)
7c0ba920 85 this.checkPoolOptions(this.opts)
1086026a 86
adc3c320 87 this.chooseWorkerNode.bind(this)
2e81254d
JB
88 this.executeTask.bind(this)
89 this.enqueueTask.bind(this)
ff733df7 90 this.checkAndEmitEvents.bind(this)
1086026a 91
c97c7edb
S
92 this.setupHook()
93
5c5a1fb7 94 for (let i = 1; i <= this.numberOfWorkers; i++) {
280c2a77 95 this.createAndSetupWorker()
c97c7edb
S
96 }
97
6bd72cd0 98 if (this.opts.enableEvents === true) {
7c0ba920
JB
99 this.emitter = new PoolEmitter()
100 }
d59df138
JB
101 this.workerChoiceStrategyContext = new WorkerChoiceStrategyContext<
102 Worker,
103 Data,
104 Response
da309861
JB
105 >(
106 this,
107 this.opts.workerChoiceStrategy,
108 this.opts.workerChoiceStrategyOptions
109 )
c97c7edb
S
110 }
111
a35560ba 112 private checkFilePath (filePath: string): void {
ffcbbad8
JB
113 if (
114 filePath == null ||
115 (typeof filePath === 'string' && filePath.trim().length === 0)
116 ) {
c510fea7
APA
117 throw new Error('Please specify a file with a worker implementation')
118 }
119 }
120
8d3782fa
JB
121 private checkNumberOfWorkers (numberOfWorkers: number): void {
122 if (numberOfWorkers == null) {
123 throw new Error(
124 'Cannot instantiate a pool without specifying the number of workers'
125 )
78cea37e 126 } else if (!Number.isSafeInteger(numberOfWorkers)) {
473c717a 127 throw new TypeError(
8d3782fa
JB
128 'Cannot instantiate a pool with a non integer number of workers'
129 )
130 } else if (numberOfWorkers < 0) {
473c717a 131 throw new RangeError(
8d3782fa
JB
132 'Cannot instantiate a pool with a negative number of workers'
133 )
7c0ba920 134 } else if (this.type === PoolType.FIXED && numberOfWorkers === 0) {
8d3782fa
JB
135 throw new Error('Cannot instantiate a fixed pool with no worker')
136 }
137 }
138
7c0ba920 139 private checkPoolOptions (opts: PoolOptions<Worker>): void {
e843b904
JB
140 this.opts.workerChoiceStrategy =
141 opts.workerChoiceStrategy ?? WorkerChoiceStrategies.ROUND_ROBIN
aee46736 142 this.checkValidWorkerChoiceStrategy(this.opts.workerChoiceStrategy)
da309861 143 this.opts.workerChoiceStrategyOptions =
bbeadd16 144 opts.workerChoiceStrategyOptions ?? DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS
aee46736 145 this.opts.enableEvents = opts.enableEvents ?? true
ff733df7 146 this.opts.enableTasksQueue = opts.enableTasksQueue ?? false
7171d33f 147 if (this.opts.enableTasksQueue) {
a20f0ba5
JB
148 this.checkValidTasksQueueOptions(
149 opts.tasksQueueOptions as TasksQueueOptions
150 )
151 this.opts.tasksQueueOptions = this.buildTasksQueueOptions(
152 opts.tasksQueueOptions as TasksQueueOptions
153 )
7171d33f 154 }
aee46736
JB
155 }
156
157 private checkValidWorkerChoiceStrategy (
158 workerChoiceStrategy: WorkerChoiceStrategy
159 ): void {
160 if (!Object.values(WorkerChoiceStrategies).includes(workerChoiceStrategy)) {
b529c323 161 throw new Error(
aee46736 162 `Invalid worker choice strategy '${workerChoiceStrategy}'`
b529c323
JB
163 )
164 }
7c0ba920
JB
165 }
166
a20f0ba5
JB
167 private checkValidTasksQueueOptions (
168 tasksQueueOptions: TasksQueueOptions
169 ): void {
170 if ((tasksQueueOptions?.concurrency as number) <= 0) {
171 throw new Error(
172 `Invalid worker tasks concurrency '${
173 tasksQueueOptions.concurrency as number
174 }'`
175 )
176 }
177 }
178
afc003b2 179 /** @inheritDoc */
7c0ba920
JB
180 public abstract get type (): PoolType
181
c2ade475 182 /**
ff733df7 183 * Number of tasks running in the pool.
c2ade475
JB
184 */
185 private get numberOfRunningTasks (): number {
ff733df7
JB
186 return this.workerNodes.reduce(
187 (accumulator, workerNode) => accumulator + workerNode.tasksUsage.running,
188 0
189 )
190 }
191
192 /**
193 * Number of tasks queued in the pool.
194 */
195 private get numberOfQueuedTasks (): number {
196 if (this.opts.enableTasksQueue === false) {
197 return 0
198 }
199 return this.workerNodes.reduce(
200 (accumulator, workerNode) => accumulator + workerNode.tasksQueue.length,
201 0
202 )
a35560ba
S
203 }
204
ffcbbad8 205 /**
f06e48d8 206 * Gets the given worker its worker node key.
ffcbbad8
JB
207 *
208 * @param worker - The worker.
f06e48d8 209 * @returns The worker node key if the worker is found in the pool worker nodes, `-1` otherwise.
ffcbbad8 210 */
f06e48d8
JB
211 private getWorkerNodeKey (worker: Worker): number {
212 return this.workerNodes.findIndex(
213 workerNode => workerNode.worker === worker
214 )
bf9549ae
JB
215 }
216
afc003b2 217 /** @inheritDoc */
a35560ba 218 public setWorkerChoiceStrategy (
59219cbb
JB
219 workerChoiceStrategy: WorkerChoiceStrategy,
220 workerChoiceStrategyOptions?: WorkerChoiceStrategyOptions
a35560ba 221 ): void {
aee46736 222 this.checkValidWorkerChoiceStrategy(workerChoiceStrategy)
b98ec2e6 223 this.opts.workerChoiceStrategy = workerChoiceStrategy
0ebe2a9f 224 for (const workerNode of this.workerNodes) {
f82cd357
JB
225 this.setWorkerNodeTasksUsage(workerNode, {
226 run: 0,
227 running: 0,
228 runTime: 0,
229 runTimeHistory: new CircularArray(),
230 avgRunTime: 0,
231 medRunTime: 0,
232 error: 0
233 })
ea7a90d3 234 }
a35560ba 235 this.workerChoiceStrategyContext.setWorkerChoiceStrategy(
a20f0ba5
JB
236 this.opts.workerChoiceStrategy
237 )
59219cbb
JB
238 if (workerChoiceStrategyOptions != null) {
239 this.setWorkerChoiceStrategyOptions(workerChoiceStrategyOptions)
240 }
a20f0ba5
JB
241 }
242
243 /** @inheritDoc */
244 public setWorkerChoiceStrategyOptions (
245 workerChoiceStrategyOptions: WorkerChoiceStrategyOptions
246 ): void {
247 this.opts.workerChoiceStrategyOptions = workerChoiceStrategyOptions
248 this.workerChoiceStrategyContext.setOptions(
249 this.opts.workerChoiceStrategyOptions
a35560ba
S
250 )
251 }
252
a20f0ba5 253 /** @inheritDoc */
8f52842f
JB
254 public enableTasksQueue (
255 enable: boolean,
256 tasksQueueOptions?: TasksQueueOptions
257 ): void {
a20f0ba5 258 if (this.opts.enableTasksQueue === true && !enable) {
ef41a6e6 259 this.flushTasksQueues()
a20f0ba5
JB
260 }
261 this.opts.enableTasksQueue = enable
8f52842f 262 this.setTasksQueueOptions(tasksQueueOptions as TasksQueueOptions)
a20f0ba5
JB
263 }
264
265 /** @inheritDoc */
8f52842f 266 public setTasksQueueOptions (tasksQueueOptions: TasksQueueOptions): void {
a20f0ba5 267 if (this.opts.enableTasksQueue === true) {
8f52842f
JB
268 this.checkValidTasksQueueOptions(tasksQueueOptions)
269 this.opts.tasksQueueOptions =
270 this.buildTasksQueueOptions(tasksQueueOptions)
a20f0ba5
JB
271 } else {
272 delete this.opts.tasksQueueOptions
273 }
274 }
275
276 private buildTasksQueueOptions (
277 tasksQueueOptions: TasksQueueOptions
278 ): TasksQueueOptions {
279 return {
280 concurrency: tasksQueueOptions?.concurrency ?? 1
281 }
282 }
283
c319c66b
JB
284 /**
285 * Whether the pool is full or not.
286 *
287 * The pool filling boolean status.
288 */
289 protected abstract get full (): boolean
c2ade475 290
c319c66b
JB
291 /**
292 * Whether the pool is busy or not.
293 *
294 * The pool busyness boolean status.
295 */
296 protected abstract get busy (): boolean
7c0ba920 297
c2ade475 298 protected internalBusy (): boolean {
24990079 299 return this.findFreeWorkerNodeKey() === -1
7c0ba920
JB
300 }
301
afc003b2 302 /** @inheritDoc */
f06e48d8
JB
303 public findFreeWorkerNodeKey (): number {
304 return this.workerNodes.findIndex(workerNode => {
305 return workerNode.tasksUsage?.running === 0
c923ce56 306 })
7c0ba920
JB
307 }
308
afc003b2 309 /** @inheritDoc */
ef41a6e6 310 public async execute (data?: Data): Promise<Response> {
adc3c320
JB
311 const [workerNodeKey, workerNode] = this.chooseWorkerNode()
312 const submittedTask: Task<Data> = {
e5a5c0fc
JB
313 // eslint-disable-next-line @typescript-eslint/consistent-type-assertions
314 data: data ?? ({} as Data),
adc3c320
JB
315 id: crypto.randomUUID()
316 }
2e81254d 317 const res = new Promise<Response>((resolve, reject) => {
02706357 318 this.promiseResponseMap.set(submittedTask.id as string, {
2e81254d
JB
319 resolve,
320 reject,
321 worker: workerNode.worker
322 })
323 })
ff733df7
JB
324 if (
325 this.opts.enableTasksQueue === true &&
7171d33f 326 (this.busy ||
3528c992 327 this.workerNodes[workerNodeKey].tasksUsage.running >=
7171d33f 328 ((this.opts.tasksQueueOptions as TasksQueueOptions)
3528c992 329 .concurrency as number))
ff733df7 330 ) {
26a929d7
JB
331 this.enqueueTask(workerNodeKey, submittedTask)
332 } else {
2e81254d 333 this.executeTask(workerNodeKey, submittedTask)
adc3c320 334 }
ff733df7 335 this.checkAndEmitEvents()
78cea37e 336 // eslint-disable-next-line @typescript-eslint/return-await
280c2a77
S
337 return res
338 }
c97c7edb 339
afc003b2 340 /** @inheritDoc */
c97c7edb 341 public async destroy (): Promise<void> {
1fbcaa7c 342 await Promise.all(
875a7c37
JB
343 this.workerNodes.map(async (workerNode, workerNodeKey) => {
344 this.flushTasksQueue(workerNodeKey)
f06e48d8 345 await this.destroyWorker(workerNode.worker)
1fbcaa7c
JB
346 })
347 )
c97c7edb
S
348 }
349
4a6952ff 350 /**
f06e48d8 351 * Shutdowns the given worker.
4a6952ff 352 *
f06e48d8 353 * @param worker - A worker within `workerNodes`.
4a6952ff
JB
354 */
355 protected abstract destroyWorker (worker: Worker): void | Promise<void>
c97c7edb 356
729c563d 357 /**
2e81254d 358 * Setup hook to execute code before worker node are created in the abstract constructor.
d99ba5a8 359 * Can be overridden
afc003b2
JB
360 *
361 * @virtual
729c563d 362 */
280c2a77 363 protected setupHook (): void {
d99ba5a8 364 // Intentionally empty
280c2a77 365 }
c97c7edb 366
729c563d 367 /**
280c2a77
S
368 * Should return whether the worker is the main worker or not.
369 */
370 protected abstract isMain (): boolean
371
372 /**
2e81254d 373 * Hook executed before the worker task execution.
bf9549ae 374 * Can be overridden.
729c563d 375 *
f06e48d8 376 * @param workerNodeKey - The worker node key.
729c563d 377 */
2e81254d 378 protected beforeTaskExecutionHook (workerNodeKey: number): void {
f06e48d8 379 ++this.workerNodes[workerNodeKey].tasksUsage.running
c97c7edb
S
380 }
381
c01733f1 382 /**
2e81254d 383 * Hook executed after the worker task execution.
bf9549ae 384 * Can be overridden.
c01733f1 385 *
c923ce56 386 * @param worker - The worker.
38e795c1 387 * @param message - The received message.
c01733f1 388 */
2e81254d 389 protected afterTaskExecutionHook (
c923ce56 390 worker: Worker,
2740a743 391 message: MessageValue<Response>
bf9549ae 392 ): void {
c923ce56 393 const workerTasksUsage = this.getWorkerTasksUsage(worker) as TasksUsage
3032893a
JB
394 --workerTasksUsage.running
395 ++workerTasksUsage.run
2740a743
JB
396 if (message.error != null) {
397 ++workerTasksUsage.error
398 }
97a2abc3 399 if (this.workerChoiceStrategyContext.getRequiredStatistics().runTime) {
aee46736 400 workerTasksUsage.runTime += message.runTime ?? 0
c6bd2650
JB
401 if (
402 this.workerChoiceStrategyContext.getRequiredStatistics().avgRunTime &&
403 workerTasksUsage.run !== 0
404 ) {
3032893a
JB
405 workerTasksUsage.avgRunTime =
406 workerTasksUsage.runTime / workerTasksUsage.run
407 }
78099a15
JB
408 if (this.workerChoiceStrategyContext.getRequiredStatistics().medRunTime) {
409 workerTasksUsage.runTimeHistory.push(message.runTime ?? 0)
410 workerTasksUsage.medRunTime = median(workerTasksUsage.runTimeHistory)
411 }
3032893a 412 }
c01733f1 413 }
414
280c2a77 415 /**
f06e48d8 416 * Chooses a worker node for the next task.
280c2a77 417 *
51fe3d3c 418 * The default uses a round robin algorithm to distribute the load.
280c2a77 419 *
adc3c320 420 * @returns [worker node key, worker node].
280c2a77 421 */
adc3c320 422 protected chooseWorkerNode (): [number, WorkerNode<Worker, Data>] {
f06e48d8 423 let workerNodeKey: number
0527b6db 424 if (this.type === PoolType.DYNAMIC && !this.full && this.internalBusy()) {
adc3c320
JB
425 const workerCreated = this.createAndSetupWorker()
426 this.registerWorkerMessageListener(workerCreated, message => {
17393ac8
JB
427 if (
428 isKillBehavior(KillBehaviors.HARD, message.kill) ||
d2097c13 429 (message.kill != null &&
adc3c320 430 this.getWorkerTasksUsage(workerCreated)?.running === 0)
17393ac8 431 ) {
ff733df7
JB
432 // Kill message received from the worker: no new tasks are submitted to that worker for a while ( > maxInactiveTime)
433 this.flushTasksQueueByWorker(workerCreated)
adc3c320 434 void this.destroyWorker(workerCreated)
17393ac8
JB
435 }
436 })
adc3c320 437 workerNodeKey = this.getWorkerNodeKey(workerCreated)
17393ac8 438 } else {
f06e48d8 439 workerNodeKey = this.workerChoiceStrategyContext.execute()
17393ac8 440 }
adc3c320 441 return [workerNodeKey, this.workerNodes[workerNodeKey]]
c97c7edb
S
442 }
443
280c2a77 444 /**
675bb809 445 * Sends a message to the given worker.
280c2a77 446 *
38e795c1
JB
447 * @param worker - The worker which should receive the message.
448 * @param message - The message.
280c2a77
S
449 */
450 protected abstract sendToWorker (
451 worker: Worker,
452 message: MessageValue<Data>
453 ): void
454
4a6952ff 455 /**
f06e48d8 456 * Registers a listener callback on the given worker.
4a6952ff 457 *
38e795c1
JB
458 * @param worker - The worker which should register a listener.
459 * @param listener - The message listener callback.
4a6952ff
JB
460 */
461 protected abstract registerWorkerMessageListener<
4f7fa42a 462 Message extends Data | Response
78cea37e 463 >(worker: Worker, listener: (message: MessageValue<Message>) => void): void
c97c7edb 464
729c563d
S
465 /**
466 * Returns a newly created worker.
467 */
280c2a77 468 protected abstract createWorker (): Worker
c97c7edb 469
729c563d 470 /**
f06e48d8 471 * Function that can be hooked up when a worker has been newly created and moved to the pool worker nodes.
729c563d 472 *
38e795c1 473 * Can be used to update the `maxListeners` or binding the `main-worker`\<-\>`worker` connection if not bind by default.
729c563d 474 *
38e795c1 475 * @param worker - The newly created worker.
729c563d 476 */
280c2a77 477 protected abstract afterWorkerSetup (worker: Worker): void
c97c7edb 478
4a6952ff 479 /**
f06e48d8 480 * Creates a new worker and sets it up completely in the pool worker nodes.
4a6952ff
JB
481 *
482 * @returns New, completely set up worker.
483 */
484 protected createAndSetupWorker (): Worker {
bdacc2d2 485 const worker = this.createWorker()
280c2a77 486
35cf1c03 487 worker.on('message', this.opts.messageHandler ?? EMPTY_FUNCTION)
a35560ba
S
488 worker.on('error', this.opts.errorHandler ?? EMPTY_FUNCTION)
489 worker.on('online', this.opts.onlineHandler ?? EMPTY_FUNCTION)
490 worker.on('exit', this.opts.exitHandler ?? EMPTY_FUNCTION)
a974afa6 491 worker.once('exit', () => {
f06e48d8 492 this.removeWorkerNode(worker)
a974afa6 493 })
280c2a77 494
f06e48d8 495 this.pushWorkerNode(worker)
280c2a77
S
496
497 this.afterWorkerSetup(worker)
498
c97c7edb
S
499 return worker
500 }
be0676b3
APA
501
502 /**
ff733df7 503 * This function is the listener registered for each worker message.
be0676b3 504 *
bdacc2d2 505 * @returns The listener function to execute when a message is received from a worker.
be0676b3
APA
506 */
507 protected workerListener (): (message: MessageValue<Response>) => void {
4a6952ff 508 return message => {
b1989cfd 509 if (message.id != null) {
a3445496 510 // Task execution response received
2740a743 511 const promiseResponse = this.promiseResponseMap.get(message.id)
b1989cfd 512 if (promiseResponse != null) {
78cea37e 513 if (message.error != null) {
2740a743 514 promiseResponse.reject(message.error)
a05c10de 515 } else {
2740a743 516 promiseResponse.resolve(message.data as Response)
a05c10de 517 }
2e81254d 518 this.afterTaskExecutionHook(promiseResponse.worker, message)
2740a743 519 this.promiseResponseMap.delete(message.id)
ff733df7
JB
520 const workerNodeKey = this.getWorkerNodeKey(promiseResponse.worker)
521 if (
522 this.opts.enableTasksQueue === true &&
416fd65c 523 this.tasksQueueSize(workerNodeKey) > 0
ff733df7 524 ) {
2e81254d
JB
525 this.executeTask(
526 workerNodeKey,
ff733df7
JB
527 this.dequeueTask(workerNodeKey) as Task<Data>
528 )
529 }
be0676b3
APA
530 }
531 }
532 }
be0676b3 533 }
7c0ba920 534
ff733df7
JB
535 private checkAndEmitEvents (): void {
536 if (this.opts.enableEvents === true) {
537 if (this.busy) {
538 this.emitter?.emit(PoolEvents.busy)
539 }
540 if (this.type === PoolType.DYNAMIC && this.full) {
541 this.emitter?.emit(PoolEvents.full)
542 }
164d950a
JB
543 }
544 }
545
0ebe2a9f
JB
546 /**
547 * Sets the given worker node its tasks usage in the pool.
548 *
549 * @param workerNode - The worker node.
550 * @param tasksUsage - The worker node tasks usage.
551 */
552 private setWorkerNodeTasksUsage (
553 workerNode: WorkerNode<Worker, Data>,
554 tasksUsage: TasksUsage
555 ): void {
556 workerNode.tasksUsage = tasksUsage
557 }
558
c923ce56 559 /**
f06e48d8 560 * Gets the given worker its tasks usage in the pool.
c923ce56
JB
561 *
562 * @param worker - The worker.
e2473f60 563 * @throws Error if the worker is not found in the pool worker nodes.
c923ce56
JB
564 * @returns The worker tasks usage.
565 */
566 private getWorkerTasksUsage (worker: Worker): TasksUsage | undefined {
f06e48d8
JB
567 const workerNodeKey = this.getWorkerNodeKey(worker)
568 if (workerNodeKey !== -1) {
569 return this.workerNodes[workerNodeKey].tasksUsage
ffcbbad8 570 }
f06e48d8 571 throw new Error('Worker could not be found in the pool worker nodes')
a05c10de
JB
572 }
573
574 /**
f06e48d8 575 * Pushes the given worker in the pool worker nodes.
ea7a90d3 576 *
38e795c1 577 * @param worker - The worker.
f06e48d8 578 * @returns The worker nodes length.
ea7a90d3 579 */
f06e48d8
JB
580 private pushWorkerNode (worker: Worker): number {
581 return this.workerNodes.push({
ffcbbad8 582 worker,
f82cd357
JB
583 tasksUsage: {
584 run: 0,
585 running: 0,
586 runTime: 0,
587 runTimeHistory: new CircularArray(),
588 avgRunTime: 0,
589 medRunTime: 0,
590 error: 0
591 },
f06e48d8 592 tasksQueue: []
ea7a90d3
JB
593 })
594 }
c923ce56
JB
595
596 /**
f06e48d8 597 * Sets the given worker in the pool worker nodes.
c923ce56 598 *
f06e48d8 599 * @param workerNodeKey - The worker node key.
c923ce56
JB
600 * @param worker - The worker.
601 * @param tasksUsage - The worker tasks usage.
f06e48d8 602 * @param tasksQueue - The worker task queue.
c923ce56 603 */
f06e48d8
JB
604 private setWorkerNode (
605 workerNodeKey: number,
c923ce56 606 worker: Worker,
f06e48d8
JB
607 tasksUsage: TasksUsage,
608 tasksQueue: Array<Task<Data>>
c923ce56 609 ): void {
f06e48d8 610 this.workerNodes[workerNodeKey] = {
c923ce56 611 worker,
f06e48d8
JB
612 tasksUsage,
613 tasksQueue
c923ce56
JB
614 }
615 }
51fe3d3c
JB
616
617 /**
f06e48d8 618 * Removes the given worker from the pool worker nodes.
51fe3d3c 619 *
f06e48d8 620 * @param worker - The worker.
51fe3d3c 621 */
416fd65c 622 private removeWorkerNode (worker: Worker): void {
f06e48d8
JB
623 const workerNodeKey = this.getWorkerNodeKey(worker)
624 this.workerNodes.splice(workerNodeKey, 1)
625 this.workerChoiceStrategyContext.remove(workerNodeKey)
51fe3d3c 626 }
adc3c320 627
2e81254d
JB
628 private executeTask (workerNodeKey: number, task: Task<Data>): void {
629 this.beforeTaskExecutionHook(workerNodeKey)
630 this.sendToWorker(this.workerNodes[workerNodeKey].worker, task)
631 }
632
f9f00b5f
JB
633 private enqueueTask (workerNodeKey: number, task: Task<Data>): number {
634 return this.workerNodes[workerNodeKey].tasksQueue.push(task)
adc3c320
JB
635 }
636
416fd65c 637 private dequeueTask (workerNodeKey: number): Task<Data> | undefined {
adc3c320
JB
638 return this.workerNodes[workerNodeKey].tasksQueue.shift()
639 }
640
416fd65c 641 private tasksQueueSize (workerNodeKey: number): number {
adc3c320
JB
642 return this.workerNodes[workerNodeKey].tasksQueue.length
643 }
ff733df7 644
416fd65c
JB
645 private flushTasksQueue (workerNodeKey: number): void {
646 if (this.tasksQueueSize(workerNodeKey) > 0) {
ff733df7 647 for (const task of this.workerNodes[workerNodeKey].tasksQueue) {
2e81254d 648 this.executeTask(workerNodeKey, task)
ff733df7 649 }
ff733df7
JB
650 }
651 }
652
416fd65c 653 private flushTasksQueueByWorker (worker: Worker): void {
ff733df7
JB
654 const workerNodeKey = this.getWorkerNodeKey(worker)
655 this.flushTasksQueue(workerNodeKey)
656 }
ef41a6e6
JB
657
658 private flushTasksQueues (): void {
659 for (const [workerNodeKey] of this.workerNodes.entries()) {
660 this.flushTasksQueue(workerNodeKey)
661 }
662 }
c97c7edb 663}