1 import { AsyncResource
} from
'node:async_hooks'
2 import type { Worker
} from
'node:cluster'
3 import type { MessagePort
} from
'node:worker_threads'
4 import { performance
} from
'node:perf_hooks'
10 } from
'../utility-types'
17 import { KillBehaviors
, type WorkerOptions
} from
'./worker-options'
21 TaskFunctionOperationResult
,
24 } from
'./task-functions'
26 checkTaskFunctionName
,
27 checkValidTaskFunctionEntry
,
28 checkValidWorkerOptions
31 const DEFAULT_MAX_INACTIVE_TIME
= 60000
32 const DEFAULT_WORKER_OPTIONS
: WorkerOptions
= {
34 * The kill behavior option on this worker or its default value.
36 killBehavior
: KillBehaviors
.SOFT
,
38 * The maximum time to keep this worker active while idle.
39 * The pool automatically checks and terminates this worker when the time expires.
41 maxInactiveTime
: DEFAULT_MAX_INACTIVE_TIME
,
43 * The function to call when the worker is killed.
45 killHandler
: EMPTY_FUNCTION
49 * Base class that implements some shared logic for all poolifier workers.
51 * @typeParam MainWorker - Type of main worker.
52 * @typeParam Data - Type of data this worker receives from pool's execution. This can only be structured-cloneable data.
53 * @typeParam Response - Type of response the worker sends back to the main worker. This can only be structured-cloneable data.
55 export abstract class AbstractWorker
<
56 MainWorker
extends Worker
| MessagePort
,
59 > extends AsyncResource
{
63 protected abstract id
: number
65 * Task function(s) processed by the worker when the pool's `execution` function is invoked.
67 protected taskFunctions
!: Map
<string, TaskFunction
<Data
, Response
>>
69 * Timestamp of the last task processed by this worker.
71 protected lastTaskTimestamp
!: number
73 * Performance statistics computation requirements.
75 protected statistics
!: WorkerStatistics
77 * Handler id of the `activeInterval` worker activity check.
79 protected activeInterval
?: NodeJS
.Timeout
81 * Constructs a new poolifier worker.
83 * @param type - The type of async event.
84 * @param isMain - Whether this is the main worker or not.
85 * @param mainWorker - Reference to main worker.
86 * @param taskFunctions - Task function(s) processed by the worker when the pool's `execution` function is invoked. The first function is the default function.
87 * @param opts - Options for the worker.
91 protected readonly isMain
: boolean,
92 private readonly mainWorker
: MainWorker
,
93 taskFunctions
: TaskFunction
<Data
, Response
> | TaskFunctions
<Data
, Response
>,
94 protected opts
: WorkerOptions
= DEFAULT_WORKER_OPTIONS
97 if (this.isMain
== null) {
98 throw new Error('isMain parameter is mandatory')
100 this.checkTaskFunctions(taskFunctions
)
101 this.checkWorkerOptions(this.opts
)
103 // Should be once() but Node.js on windows has a bug that prevents it from working
104 this.getMainWorker().on('message', this.handleReadyMessage
.bind(this))
108 private checkWorkerOptions (opts
: WorkerOptions
): void {
109 checkValidWorkerOptions(opts
)
110 this.opts
= { ...DEFAULT_WORKER_OPTIONS
, ...opts
}
114 * Checks if the `taskFunctions` parameter is passed to the constructor and valid.
116 * @param taskFunctions - The task function(s) parameter that should be checked.
118 private checkTaskFunctions (
119 taskFunctions
: TaskFunction
<Data
, Response
> | TaskFunctions
<Data
, Response
>
121 if (taskFunctions
== null) {
122 throw new Error('taskFunctions parameter is mandatory')
124 this.taskFunctions
= new Map
<string, TaskFunction
<Data
, Response
>>()
125 if (typeof taskFunctions
=== 'function') {
126 const boundFn
= taskFunctions
.bind(this)
127 this.taskFunctions
.set(DEFAULT_TASK_NAME
, boundFn
)
128 this.taskFunctions
.set(
129 typeof taskFunctions
.name
=== 'string' &&
130 taskFunctions
.name
.trim().length
> 0
135 } else if (isPlainObject(taskFunctions
)) {
136 let firstEntry
= true
137 for (const [name
, fn
] of Object.entries(taskFunctions
)) {
138 checkValidTaskFunctionEntry
<Data
, Response
>(name
, fn
)
139 const boundFn
= fn
.bind(this)
141 this.taskFunctions
.set(DEFAULT_TASK_NAME
, boundFn
)
144 this.taskFunctions
.set(name
, boundFn
)
147 throw new Error('taskFunctions parameter object is empty')
151 'taskFunctions parameter is not a function or a plain object'
157 * Checks if the worker has a task function with the given name.
159 * @param name - The name of the task function to check.
160 * @returns Whether the worker has a task function with the given name or not.
162 public hasTaskFunction (name
: string): TaskFunctionOperationResult
{
164 checkTaskFunctionName(name
)
166 return { status: false, error
: error
as Error }
168 return { status: this.taskFunctions
.has(name
) }
172 * Adds a task function to the worker.
173 * If a task function with the same name already exists, it is replaced.
175 * @param name - The name of the task function to add.
176 * @param fn - The task function to add.
177 * @returns Whether the task function was added or not.
179 public addTaskFunction (
181 fn
: TaskFunction
<Data
, Response
>
182 ): TaskFunctionOperationResult
{
184 checkTaskFunctionName(name
)
185 if (name
=== DEFAULT_TASK_NAME
) {
187 'Cannot add a task function with the default reserved name'
190 if (typeof fn
!== 'function') {
191 throw new TypeError('fn parameter is not a function')
193 const boundFn
= fn
.bind(this)
195 this.taskFunctions
.get(name
) ===
196 this.taskFunctions
.get(DEFAULT_TASK_NAME
)
198 this.taskFunctions
.set(DEFAULT_TASK_NAME
, boundFn
)
200 this.taskFunctions
.set(name
, boundFn
)
201 this.sendTaskFunctionNamesToMainWorker()
202 return { status: true }
204 return { status: false, error
: error
as Error }
209 * Removes a task function from the worker.
211 * @param name - The name of the task function to remove.
212 * @returns Whether the task function existed and was removed or not.
214 public removeTaskFunction (name
: string): TaskFunctionOperationResult
{
216 checkTaskFunctionName(name
)
217 if (name
=== DEFAULT_TASK_NAME
) {
219 'Cannot remove the task function with the default reserved name'
223 this.taskFunctions
.get(name
) ===
224 this.taskFunctions
.get(DEFAULT_TASK_NAME
)
227 'Cannot remove the task function used as the default task function'
230 const deleteStatus
= this.taskFunctions
.delete(name
)
231 this.sendTaskFunctionNamesToMainWorker()
232 return { status: deleteStatus
}
234 return { status: false, error
: error
as Error }
239 * Lists the names of the worker's task functions.
241 * @returns The names of the worker's task functions.
243 public listTaskFunctionNames (): string[] {
244 const names
: string[] = [...this.taskFunctions
.keys()]
245 let defaultTaskFunctionName
: string = DEFAULT_TASK_NAME
246 for (const [name
, fn
] of this.taskFunctions
) {
248 name
!== DEFAULT_TASK_NAME
&&
249 fn
=== this.taskFunctions
.get(DEFAULT_TASK_NAME
)
251 defaultTaskFunctionName
= name
256 names
[names
.indexOf(DEFAULT_TASK_NAME
)],
257 defaultTaskFunctionName
,
259 name
=> name
!== DEFAULT_TASK_NAME
&& name
!== defaultTaskFunctionName
265 * Sets the default task function to use in the worker.
267 * @param name - The name of the task function to use as default task function.
268 * @returns Whether the default task function was set or not.
270 public setDefaultTaskFunction (name
: string): TaskFunctionOperationResult
{
272 checkTaskFunctionName(name
)
273 if (name
=== DEFAULT_TASK_NAME
) {
275 'Cannot set the default task function reserved name as the default task function'
278 if (!this.taskFunctions
.has(name
)) {
280 'Cannot set the default task function to a non-existing task function'
283 this.taskFunctions
.set(
285 this.taskFunctions
.get(name
) as TaskFunction
<Data
, Response
>
287 this.sendTaskFunctionNamesToMainWorker()
288 return { status: true }
290 return { status: false, error
: error
as Error }
295 * Handles the ready message sent by the main worker.
297 * @param message - The ready message.
299 protected abstract handleReadyMessage (message
: MessageValue
<Data
>): void
302 * Worker message listener.
304 * @param message - The received message.
306 protected messageListener (message
: MessageValue
<Data
>): void {
307 this.checkMessageWorkerId(message
)
308 if (message
.statistics
!= null) {
309 // Statistics message received
310 this.statistics
= message
.statistics
311 } else if (message
.checkActive
!= null) {
312 // Check active message received
313 message
.checkActive
? this.startCheckActive() : this.stopCheckActive()
314 } else if (message
.taskFunctionOperation
!= null) {
315 // Task function operation message received
316 this.handleTaskFunctionOperationMessage(message
)
317 } else if (message
.taskId
!= null && message
.data
!= null) {
318 // Task message received
320 } else if (message
.kill
=== true) {
321 // Kill message received
322 this.handleKillMessage(message
)
326 protected handleTaskFunctionOperationMessage (
327 message
: MessageValue
<Data
>
329 const { taskFunctionOperation
, taskFunctionName
, taskFunction
} = message
330 let response
!: TaskFunctionOperationResult
331 switch (taskFunctionOperation
) {
333 response
= this.addTaskFunction(
334 taskFunctionName
as string,
335 // eslint-disable-next-line @typescript-eslint/no-implied-eval, no-new-func
336 new Function(`return ${taskFunction as string}`)() as TaskFunction
<
343 response
= this.removeTaskFunction(taskFunctionName
as string)
346 response
= this.setDefaultTaskFunction(taskFunctionName
as string)
349 response
= { status: false, error
: new Error('Unknown task operation') }
352 this.sendToMainWorker({
353 taskFunctionOperation
,
354 taskFunctionOperationStatus
: response
.status,
356 ...(!response
.status &&
357 response
?.error
!= null && {
359 name
: taskFunctionName
as string,
360 message
: this.handleError(response
.error
as Error | string)
367 * Handles a kill message sent by the main worker.
369 * @param message - The kill message.
371 protected handleKillMessage (message
: MessageValue
<Data
>): void {
372 this.stopCheckActive()
373 if (isAsyncFunction(this.opts
.killHandler
)) {
374 (this.opts
.killHandler
?.() as Promise
<void>)
376 this.sendToMainWorker({ kill
: 'success' })
380 this.sendToMainWorker({ kill
: 'failure' })
385 .catch(EMPTY_FUNCTION
)
388 // eslint-disable-next-line @typescript-eslint/no-invalid-void-type
389 this.opts
.killHandler
?.() as void
390 this.sendToMainWorker({ kill
: 'success' })
392 this.sendToMainWorker({ kill
: 'failure' })
400 * Check if the message worker id is set and matches the worker id.
402 * @param message - The message to check.
403 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the message worker id is not set or does not match the worker id.
405 private checkMessageWorkerId (message
: MessageValue
<Data
>): void {
406 if (message
.workerId
== null) {
407 throw new Error('Message worker id is not set')
408 } else if (message
.workerId
!= null && message
.workerId
!== this.id
) {
410 `Message worker id ${message.workerId} does not match the worker id ${this.id}`
416 * Starts the worker check active interval.
418 private startCheckActive (): void {
419 this.lastTaskTimestamp
= performance
.now()
420 this.activeInterval
= setInterval(
421 this.checkActive
.bind(this),
422 (this.opts
.maxInactiveTime
?? DEFAULT_MAX_INACTIVE_TIME
) / 2
427 * Stops the worker check active interval.
429 private stopCheckActive (): void {
430 if (this.activeInterval
!= null) {
431 clearInterval(this.activeInterval
)
432 delete this.activeInterval
437 * Checks if the worker should be terminated, because its living too long.
439 private checkActive (): void {
441 performance
.now() - this.lastTaskTimestamp
>
442 (this.opts
.maxInactiveTime
?? DEFAULT_MAX_INACTIVE_TIME
)
444 this.sendToMainWorker({ kill
: this.opts
.killBehavior
})
449 * Returns the main worker.
451 * @returns Reference to the main worker.
452 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the main worker is not set.
454 protected getMainWorker (): MainWorker
{
455 if (this.mainWorker
== null) {
456 throw new Error('Main worker not set')
458 return this.mainWorker
462 * Sends a message to main worker.
464 * @param message - The response message.
466 protected abstract sendToMainWorker (
467 message
: MessageValue
<Response
, Data
>
471 * Sends task function names to the main worker.
473 protected sendTaskFunctionNamesToMainWorker (): void {
474 this.sendToMainWorker({
475 taskFunctionNames
: this.listTaskFunctionNames()
480 * Handles an error and convert it to a string so it can be sent back to the main worker.
482 * @param error - The error raised by the worker.
483 * @returns The error message.
485 protected handleError (error
: Error | string): string {
486 return error
instanceof Error ? error
.message
: error
490 * Runs the given task.
492 * @param task - The task to execute.
494 protected run (task
: Task
<Data
>): void {
495 const { name
, taskId
, data
} = task
496 const fn
= this.taskFunctions
.get(name
?? DEFAULT_TASK_NAME
)
498 this.sendToMainWorker({
500 name
: name
as string,
501 message
: `Task function '${name as string}' not found`,
508 if (isAsyncFunction(fn
)) {
509 this.runInAsyncScope(this.runAsync
.bind(this), this, fn
, task
)
511 this.runInAsyncScope(this.runSync
.bind(this), this, fn
, task
)
516 * Runs the given task function synchronously.
518 * @param fn - Task function that will be executed.
519 * @param task - Input data for the task function.
522 fn
: TaskSyncFunction
<Data
, Response
>,
525 const { name
, taskId
, data
} = task
527 let taskPerformance
= this.beginTaskPerformance(name
)
529 taskPerformance
= this.endTaskPerformance(taskPerformance
)
530 this.sendToMainWorker({
536 this.sendToMainWorker({
538 name
: name
as string,
539 message
: this.handleError(error
as Error | string),
545 this.updateLastTaskTimestamp()
550 * Runs the given task function asynchronously.
552 * @param fn - Task function that will be executed.
553 * @param task - Input data for the task function.
556 fn
: TaskAsyncFunction
<Data
, Response
>,
559 const { name
, taskId
, data
} = task
560 let taskPerformance
= this.beginTaskPerformance(name
)
563 taskPerformance
= this.endTaskPerformance(taskPerformance
)
564 this.sendToMainWorker({
572 this.sendToMainWorker({
574 name
: name
as string,
575 message
: this.handleError(error
as Error | string),
582 this.updateLastTaskTimestamp()
584 .catch(EMPTY_FUNCTION
)
587 private beginTaskPerformance (name
?: string): TaskPerformance
{
588 this.checkStatistics()
590 name
: name
?? DEFAULT_TASK_NAME
,
591 timestamp
: performance
.now(),
592 ...(this.statistics
.elu
&& { elu
: performance
.eventLoopUtilization() })
596 private endTaskPerformance (
597 taskPerformance
: TaskPerformance
599 this.checkStatistics()
602 ...(this.statistics
.runTime
&& {
603 runTime
: performance
.now() - taskPerformance
.timestamp
605 ...(this.statistics
.elu
&& {
606 elu
: performance
.eventLoopUtilization(taskPerformance
.elu
)
611 private checkStatistics (): void {
612 if (this.statistics
== null) {
613 throw new Error('Performance statistics computation requirements not set')
617 private updateLastTaskTimestamp (): void {
618 if (this.activeInterval
!= null) {
619 this.lastTaskTimestamp
= performance
.now()