1 import type { Worker
} from
'node:cluster'
2 import { performance
} from
'node:perf_hooks'
3 import type { MessagePort
} from
'node:worker_threads'
8 TaskFunctionProperties
,
11 } from
'../utility-types.js'
13 buildTaskFunctionProperties
,
23 TaskFunctionOperationResult
,
26 } from
'./task-functions.js'
28 checkTaskFunctionName
,
29 checkValidTaskFunctionObjectEntry
,
30 checkValidWorkerOptions
32 import { KillBehaviors
, type WorkerOptions
} from
'./worker-options.js'
34 const DEFAULT_MAX_INACTIVE_TIME
= 60000
35 const DEFAULT_WORKER_OPTIONS
: WorkerOptions
= {
37 * The kill behavior option on this worker or its default value.
39 killBehavior
: KillBehaviors
.SOFT
,
41 * The maximum time to keep this worker active while idle.
42 * The pool automatically checks and terminates this worker when the time expires.
44 maxInactiveTime
: DEFAULT_MAX_INACTIVE_TIME
,
46 * The function to call when the worker is killed.
48 killHandler
: EMPTY_FUNCTION
52 * Base class that implements some shared logic for all poolifier workers.
54 * @typeParam MainWorker - Type of main worker.
55 * @typeParam Data - Type of data this worker receives from pool's execution. This can only be structured-cloneable data.
56 * @typeParam Response - Type of response the worker sends back to the main worker. This can only be structured-cloneable data.
58 export abstract class AbstractWorker
<
59 MainWorker
extends Worker
| MessagePort
,
66 protected abstract id
: number
68 * Task function object(s) processed by the worker when the pool's `execution` function is invoked.
70 protected taskFunctions
!: Map
<string, TaskFunctionObject
<Data
, Response
>>
72 * Timestamp of the last task processed by this worker.
74 protected lastTaskTimestamp
!: number
76 * Performance statistics computation requirements.
78 protected statistics
?: WorkerStatistics
80 * Handler id of the `activeInterval` worker activity check.
82 protected activeInterval
?: NodeJS
.Timeout
85 * Constructs a new poolifier worker.
87 * @param isMain - Whether this is the main worker or not.
88 * @param mainWorker - Reference to main worker.
89 * @param taskFunctions - Task function(s) processed by the worker when the pool's `execution` function is invoked. The first function is the default function.
90 * @param opts - Options for the worker.
93 protected readonly isMain
: boolean | undefined,
94 private readonly mainWorker
: MainWorker
| undefined | null,
95 taskFunctions
: TaskFunction
<Data
, Response
> | TaskFunctions
<Data
, Response
>,
96 protected opts
: WorkerOptions
= DEFAULT_WORKER_OPTIONS
98 if (this.isMain
== null) {
99 throw new Error('isMain parameter is mandatory')
101 this.checkTaskFunctions(taskFunctions
)
102 this.checkWorkerOptions(this.opts
)
104 // Should be once() but Node.js on windows has a bug that prevents it from working
105 this.getMainWorker().on('message', this.handleReadyMessage
.bind(this))
109 private checkWorkerOptions (opts
: WorkerOptions
): void {
110 checkValidWorkerOptions(opts
)
111 this.opts
= { ...DEFAULT_WORKER_OPTIONS
, ...opts
}
115 * Checks if the `taskFunctions` parameter is passed to the constructor and valid.
117 * @param taskFunctions - The task function(s) parameter that should be checked.
119 private checkTaskFunctions (
121 | TaskFunction
<Data
, Response
>
122 | TaskFunctions
<Data
, Response
>
125 if (taskFunctions
== null) {
126 throw new Error('taskFunctions parameter is mandatory')
128 this.taskFunctions
= new Map
<string, TaskFunctionObject
<Data
, Response
>>()
129 if (typeof taskFunctions
=== 'function') {
130 const fnObj
= { taskFunction
: taskFunctions
.bind(this) }
131 this.taskFunctions
.set(DEFAULT_TASK_NAME
, fnObj
)
132 this.taskFunctions
.set(
133 typeof taskFunctions
.name
=== 'string' &&
134 taskFunctions
.name
.trim().length
> 0
139 } else if (isPlainObject(taskFunctions
)) {
140 let firstEntry
= true
141 for (let [name
, fnObj
] of Object.entries(taskFunctions
)) {
142 if (typeof fnObj
=== 'function') {
143 fnObj
= { taskFunction
: fnObj
} satisfies TaskFunctionObject
<
148 checkValidTaskFunctionObjectEntry
<Data
, Response
>(name
, fnObj
)
149 fnObj
.taskFunction
= fnObj
.taskFunction
.bind(this)
151 this.taskFunctions
.set(DEFAULT_TASK_NAME
, fnObj
)
154 this.taskFunctions
.set(name
, fnObj
)
157 throw new Error('taskFunctions parameter object is empty')
161 'taskFunctions parameter is not a function or a plain object'
167 * Checks if the worker has a task function with the given name.
169 * @param name - The name of the task function to check.
170 * @returns Whether the worker has a task function with the given name or not.
172 public hasTaskFunction (name
: string): TaskFunctionOperationResult
{
174 checkTaskFunctionName(name
)
176 return { status: false, error
: error
as Error }
178 return { status: this.taskFunctions
.has(name
) }
182 * Adds a task function to the worker.
183 * If a task function with the same name already exists, it is replaced.
185 * @param name - The name of the task function to add.
186 * @param fn - The task function to add.
187 * @returns Whether the task function was added or not.
189 public addTaskFunction (
191 fn
: TaskFunction
<Data
, Response
> | TaskFunctionObject
<Data
, Response
>
192 ): TaskFunctionOperationResult
{
194 checkTaskFunctionName(name
)
195 if (name
=== DEFAULT_TASK_NAME
) {
197 'Cannot add a task function with the default reserved name'
200 if (typeof fn
=== 'function') {
201 fn
= { taskFunction
: fn
} satisfies TaskFunctionObject
<Data
, Response
>
203 checkValidTaskFunctionObjectEntry
<Data
, Response
>(name
, fn
)
204 fn
.taskFunction
= fn
.taskFunction
.bind(this)
206 this.taskFunctions
.get(name
) ===
207 this.taskFunctions
.get(DEFAULT_TASK_NAME
)
209 this.taskFunctions
.set(DEFAULT_TASK_NAME
, fn
)
211 this.taskFunctions
.set(name
, fn
)
212 this.sendTaskFunctionsPropertiesToMainWorker()
213 return { status: true }
215 return { status: false, error
: error
as Error }
220 * Removes a task function from the worker.
222 * @param name - The name of the task function to remove.
223 * @returns Whether the task function existed and was removed or not.
225 public removeTaskFunction (name
: string): TaskFunctionOperationResult
{
227 checkTaskFunctionName(name
)
228 if (name
=== DEFAULT_TASK_NAME
) {
230 'Cannot remove the task function with the default reserved name'
234 this.taskFunctions
.get(name
) ===
235 this.taskFunctions
.get(DEFAULT_TASK_NAME
)
238 'Cannot remove the task function used as the default task function'
241 const deleteStatus
= this.taskFunctions
.delete(name
)
242 this.sendTaskFunctionsPropertiesToMainWorker()
243 return { status: deleteStatus
}
245 return { status: false, error
: error
as Error }
250 * Lists the properties of the worker's task functions.
252 * @returns The properties of the worker's task functions.
254 public listTaskFunctionsProperties (): TaskFunctionProperties
[] {
255 let defaultTaskFunctionName
= DEFAULT_TASK_NAME
256 for (const [name
, fnObj
] of this.taskFunctions
) {
258 name
!== DEFAULT_TASK_NAME
&&
259 fnObj
=== this.taskFunctions
.get(DEFAULT_TASK_NAME
)
261 defaultTaskFunctionName
= name
265 const taskFunctionsProperties
: TaskFunctionProperties
[] = []
266 for (const [name
, fnObj
] of this.taskFunctions
) {
267 if (name
=== DEFAULT_TASK_NAME
|| name
=== defaultTaskFunctionName
) {
270 taskFunctionsProperties
.push(buildTaskFunctionProperties(name
, fnObj
))
273 buildTaskFunctionProperties(
275 this.taskFunctions
.get(DEFAULT_TASK_NAME
)
277 buildTaskFunctionProperties(
278 defaultTaskFunctionName
,
279 this.taskFunctions
.get(defaultTaskFunctionName
)
281 ...taskFunctionsProperties
286 * Sets the default task function to use in the worker.
288 * @param name - The name of the task function to use as default task function.
289 * @returns Whether the default task function was set or not.
291 public setDefaultTaskFunction (name
: string): TaskFunctionOperationResult
{
293 checkTaskFunctionName(name
)
294 if (name
=== DEFAULT_TASK_NAME
) {
296 'Cannot set the default task function reserved name as the default task function'
299 if (!this.taskFunctions
.has(name
)) {
301 'Cannot set the default task function to a non-existing task function'
304 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
305 this.taskFunctions
.set(DEFAULT_TASK_NAME
, this.taskFunctions
.get(name
)!)
306 this.sendTaskFunctionsPropertiesToMainWorker()
307 return { status: true }
309 return { status: false, error
: error
as Error }
314 * Handles the ready message sent by the main worker.
316 * @param message - The ready message.
318 protected abstract handleReadyMessage (message
: MessageValue
<Data
>): void
321 * Worker message listener.
323 * @param message - The received message.
325 protected messageListener (message
: MessageValue
<Data
>): void {
326 this.checkMessageWorkerId(message
)
327 if (message
.statistics
!= null) {
328 // Statistics message received
329 this.statistics
= message
.statistics
330 } else if (message
.checkActive
!= null) {
331 // Check active message received
332 message
.checkActive
? this.startCheckActive() : this.stopCheckActive()
333 } else if (message
.taskFunctionOperation
!= null) {
334 // Task function operation message received
335 this.handleTaskFunctionOperationMessage(message
)
336 } else if (message
.taskId
!= null && message
.data
!= null) {
337 // Task message received
339 } else if (message
.kill
=== true) {
340 // Kill message received
341 this.handleKillMessage(message
)
345 protected handleTaskFunctionOperationMessage (
346 message
: MessageValue
<Data
>
348 const { taskFunctionOperation
, taskFunctionProperties
, taskFunction
} =
350 if (taskFunctionProperties
== null) {
352 'Cannot handle task function operation message without task function properties'
355 let response
: TaskFunctionOperationResult
356 switch (taskFunctionOperation
) {
358 response
= this.addTaskFunction(taskFunctionProperties
.name
, {
359 // eslint-disable-next-line @typescript-eslint/no-implied-eval, no-new-func
360 taskFunction
: new Function(
361 `return ${taskFunction}`
362 )() as TaskFunction
<Data
, Response
>,
363 ...(taskFunctionProperties
.priority
!= null && {
364 priority
: taskFunctionProperties
.priority
366 ...(taskFunctionProperties
.strategy
!= null && {
367 strategy
: taskFunctionProperties
.strategy
372 response
= this.removeTaskFunction(taskFunctionProperties
.name
)
375 response
= this.setDefaultTaskFunction(taskFunctionProperties
.name
)
378 response
= { status: false, error
: new Error('Unknown task operation') }
381 this.sendToMainWorker({
382 taskFunctionOperation
,
383 taskFunctionOperationStatus
: response
.status,
384 taskFunctionProperties
,
385 ...(!response
.status &&
386 response
.error
!= null && {
388 name
: taskFunctionProperties
.name
,
389 message
: this.handleError(response
.error
as Error | string)
396 * Handles a kill message sent by the main worker.
398 * @param message - The kill message.
400 protected handleKillMessage (_message
: MessageValue
<Data
>): void {
401 this.stopCheckActive()
402 if (isAsyncFunction(this.opts
.killHandler
)) {
403 (this.opts
.killHandler() as Promise
<void>)
405 this.sendToMainWorker({ kill
: 'success' })
409 this.sendToMainWorker({ kill
: 'failure' })
413 // eslint-disable-next-line @typescript-eslint/no-invalid-void-type
414 this.opts
.killHandler
?.() as void
415 this.sendToMainWorker({ kill
: 'success' })
417 this.sendToMainWorker({ kill
: 'failure' })
423 * Check if the message worker id is set and matches the worker id.
425 * @param message - The message to check.
426 * @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.
428 private checkMessageWorkerId (message
: MessageValue
<Data
>): void {
429 if (message
.workerId
== null) {
430 throw new Error('Message worker id is not set')
431 } else if (message
.workerId
!== this.id
) {
433 `Message worker id ${message.workerId} does not match the worker id ${this.id}`
439 * Starts the worker check active interval.
441 private startCheckActive (): void {
442 this.lastTaskTimestamp
= performance
.now()
443 this.activeInterval
= setInterval(
444 this.checkActive
.bind(this),
445 (this.opts
.maxInactiveTime
?? DEFAULT_MAX_INACTIVE_TIME
) / 2
450 * Stops the worker check active interval.
452 private stopCheckActive (): void {
453 if (this.activeInterval
!= null) {
454 clearInterval(this.activeInterval
)
455 delete this.activeInterval
460 * Checks if the worker should be terminated, because its living too long.
462 private checkActive (): void {
464 performance
.now() - this.lastTaskTimestamp
>
465 (this.opts
.maxInactiveTime
?? DEFAULT_MAX_INACTIVE_TIME
)
467 this.sendToMainWorker({ kill
: this.opts
.killBehavior
})
472 * Returns the main worker.
474 * @returns Reference to the main worker.
475 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the main worker is not set.
477 protected getMainWorker (): MainWorker
{
478 if (this.mainWorker
== null) {
479 throw new Error('Main worker not set')
481 return this.mainWorker
485 * Sends a message to main worker.
487 * @param message - The response message.
489 protected abstract sendToMainWorker (
490 message
: MessageValue
<Response
, Data
>
494 * Sends task functions properties to the main worker.
496 protected sendTaskFunctionsPropertiesToMainWorker (): void {
497 this.sendToMainWorker({
498 taskFunctionsProperties
: this.listTaskFunctionsProperties()
503 * Handles an error and convert it to a string so it can be sent back to the main worker.
505 * @param error - The error raised by the worker.
506 * @returns The error message.
508 protected handleError (error
: Error | string): string {
509 return error
instanceof Error ? error
.message
: error
513 * Runs the given task.
515 * @param task - The task to execute.
517 protected readonly run
= (task
: Task
<Data
>): void => {
518 const { name
, taskId
, data
} = task
519 const taskFunctionName
= name
?? DEFAULT_TASK_NAME
520 if (!this.taskFunctions
.has(taskFunctionName
)) {
521 this.sendToMainWorker({
523 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
525 message
: `Task function '${name}' not found`,
532 const fn
= this.taskFunctions
.get(taskFunctionName
)?.taskFunction
533 if (isAsyncFunction(fn
)) {
534 this.runAsync(fn
as TaskAsyncFunction
<Data
, Response
>, task
)
536 this.runSync(fn
as TaskSyncFunction
<Data
, Response
>, task
)
541 * Runs the given task function synchronously.
543 * @param fn - Task function that will be executed.
544 * @param task - Input data for the task function.
546 protected readonly runSync
= (
547 fn
: TaskSyncFunction
<Data
, Response
>,
550 const { name
, taskId
, data
} = task
552 let taskPerformance
= this.beginTaskPerformance(name
)
554 taskPerformance
= this.endTaskPerformance(taskPerformance
)
555 this.sendToMainWorker({
561 this.sendToMainWorker({
563 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
565 message
: this.handleError(error
as Error | string),
571 this.updateLastTaskTimestamp()
576 * Runs the given task function asynchronously.
578 * @param fn - Task function that will be executed.
579 * @param task - Input data for the task function.
581 protected readonly runAsync
= (
582 fn
: TaskAsyncFunction
<Data
, Response
>,
585 const { name
, taskId
, data
} = task
586 let taskPerformance
= this.beginTaskPerformance(name
)
589 taskPerformance
= this.endTaskPerformance(taskPerformance
)
590 this.sendToMainWorker({
597 .catch((error
: unknown
) => {
598 this.sendToMainWorker({
600 // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
602 message
: this.handleError(error
as Error | string),
609 this.updateLastTaskTimestamp()
611 .catch(EMPTY_FUNCTION
)
614 private beginTaskPerformance (name
?: string): TaskPerformance
{
615 if (this.statistics
== null) {
616 throw new Error('Performance statistics computation requirements not set')
619 name
: name
?? DEFAULT_TASK_NAME
,
620 timestamp
: performance
.now(),
621 ...(this.statistics
.elu
&& {
622 elu
: performance
.eventLoopUtilization()
627 private endTaskPerformance (
628 taskPerformance
: TaskPerformance
630 if (this.statistics
== null) {
631 throw new Error('Performance statistics computation requirements not set')
635 ...(this.statistics
.runTime
&& {
636 runTime
: performance
.now() - taskPerformance
.timestamp
638 ...(this.statistics
.elu
&& {
639 elu
: performance
.eventLoopUtilization(taskPerformance
.elu
)
644 private updateLastTaskTimestamp (): void {
645 if (this.activeInterval
!= null) {
646 this.lastTaskTimestamp
= performance
.now()