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