93a36bad382fe5781f35d73b71a8169510b818ac
[poolifier.git] / src / worker / abstract-worker.ts
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'
5 import type {
6 MessageValue,
7 Task,
8 TaskPerformance,
9 WorkerStatistics
10 } from '../utility-types'
11 import {
12 DEFAULT_TASK_NAME,
13 EMPTY_FUNCTION,
14 isAsyncFunction,
15 isPlainObject
16 } from '../utils'
17 import {
18 type KillBehavior,
19 KillBehaviors,
20 type WorkerOptions
21 } from './worker-options'
22 import type {
23 TaskFunctions,
24 WorkerAsyncFunction,
25 WorkerFunction,
26 WorkerSyncFunction
27 } from './worker-functions'
28
29 const DEFAULT_MAX_INACTIVE_TIME = 60000
30 const DEFAULT_KILL_BEHAVIOR: KillBehavior = KillBehaviors.SOFT
31
32 /**
33 * Base class that implements some shared logic for all poolifier workers.
34 *
35 * @typeParam MainWorker - Type of main worker.
36 * @typeParam Data - Type of data this worker receives from pool's execution. This can only be structured-cloneable data.
37 * @typeParam Response - Type of response the worker sends back to the main worker. This can only be structured-cloneable data.
38 */
39 export abstract class AbstractWorker<
40 MainWorker extends Worker | MessagePort,
41 Data = unknown,
42 Response = unknown
43 > extends AsyncResource {
44 /**
45 * Worker id.
46 */
47 protected abstract id: number
48 /**
49 * Task function(s) processed by the worker when the pool's `execution` function is invoked.
50 */
51 protected taskFunctions!: Map<string, WorkerFunction<Data, Response>>
52 /**
53 * Timestamp of the last task processed by this worker.
54 */
55 protected lastTaskTimestamp!: number
56 /**
57 * Performance statistics computation requirements.
58 */
59 protected statistics!: WorkerStatistics
60 /**
61 * Handler id of the `aliveInterval` worker alive check.
62 */
63 protected aliveInterval?: NodeJS.Timeout
64 /**
65 * Constructs a new poolifier worker.
66 *
67 * @param type - The type of async event.
68 * @param isMain - Whether this is the main worker or not.
69 * @param taskFunctions - Task function(s) processed by the worker when the pool's `execution` function is invoked. The first function is the default function.
70 * @param mainWorker - Reference to main worker.
71 * @param opts - Options for the worker.
72 */
73 public constructor (
74 type: string,
75 protected readonly isMain: boolean,
76 taskFunctions:
77 | WorkerFunction<Data, Response>
78 | TaskFunctions<Data, Response>,
79 protected readonly mainWorker: MainWorker,
80 protected readonly opts: WorkerOptions = {
81 /**
82 * The kill behavior option on this worker or its default value.
83 */
84 killBehavior: DEFAULT_KILL_BEHAVIOR,
85 /**
86 * The maximum time to keep this worker alive while idle.
87 * The pool automatically checks and terminates this worker when the time expires.
88 */
89 maxInactiveTime: DEFAULT_MAX_INACTIVE_TIME
90 }
91 ) {
92 super(type)
93 this.checkWorkerOptions(this.opts)
94 this.checkTaskFunctions(taskFunctions)
95 if (!this.isMain) {
96 this.mainWorker?.on('message', this.messageListener.bind(this))
97 }
98 }
99
100 private checkWorkerOptions (opts: WorkerOptions): void {
101 this.opts.killBehavior = opts.killBehavior ?? DEFAULT_KILL_BEHAVIOR
102 this.opts.maxInactiveTime =
103 opts.maxInactiveTime ?? DEFAULT_MAX_INACTIVE_TIME
104 delete this.opts.async
105 }
106
107 /**
108 * Checks if the `taskFunctions` parameter is passed to the constructor.
109 *
110 * @param taskFunctions - The task function(s) parameter that should be checked.
111 */
112 private checkTaskFunctions (
113 taskFunctions:
114 | WorkerFunction<Data, Response>
115 | TaskFunctions<Data, Response>
116 ): void {
117 if (taskFunctions == null) {
118 throw new Error('taskFunctions parameter is mandatory')
119 }
120 this.taskFunctions = new Map<string, WorkerFunction<Data, Response>>()
121 if (typeof taskFunctions === 'function') {
122 this.taskFunctions.set(DEFAULT_TASK_NAME, taskFunctions.bind(this))
123 } else if (isPlainObject(taskFunctions)) {
124 let firstEntry = true
125 for (const [name, fn] of Object.entries(taskFunctions)) {
126 if (typeof name !== 'string') {
127 throw new TypeError(
128 'A taskFunctions parameter object key is not a string'
129 )
130 }
131 if (typeof fn !== 'function') {
132 throw new TypeError(
133 'A taskFunctions parameter object value is not a function'
134 )
135 }
136 this.taskFunctions.set(name, fn.bind(this))
137 if (firstEntry) {
138 this.taskFunctions.set(DEFAULT_TASK_NAME, fn.bind(this))
139 firstEntry = false
140 }
141 }
142 if (firstEntry) {
143 throw new Error('taskFunctions parameter object is empty')
144 }
145 } else {
146 throw new TypeError(
147 'taskFunctions parameter is not a function or a plain object'
148 )
149 }
150 }
151
152 /**
153 * Checks if the worker has a task function with the given name.
154 *
155 * @param name - The name of the task function to check.
156 * @returns Whether the worker has a task function with the given name or not.
157 * @throws {@link https://nodejs.org/api/errors.html#class-typeerror} If the `name` parameter is not a string.
158 */
159 public hasTaskFunction (name: string): boolean {
160 if (typeof name !== 'string') {
161 throw new TypeError('name parameter is not a string')
162 }
163 return this.taskFunctions.has(name)
164 }
165
166 /**
167 * Adds a task function to the worker.
168 * If a task function with the same name already exists, it is replaced.
169 *
170 * @param name - The name of the task function to add.
171 * @param fn - The task function to add.
172 * @returns Whether the task function was added or not.
173 * @throws {@link https://nodejs.org/api/errors.html#class-typeerror} If the `name` parameter is not a string.
174 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the `name` parameter is the default task function reserved name.
175 * @throws {@link https://nodejs.org/api/errors.html#class-typeerror} If the `fn` parameter is not a function.
176 */
177 public addTaskFunction (
178 name: string,
179 fn: WorkerFunction<Data, Response>
180 ): boolean {
181 if (typeof name !== 'string') {
182 throw new TypeError('name parameter is not a string')
183 }
184 if (name === DEFAULT_TASK_NAME) {
185 throw new Error(
186 'Cannot add a task function with the default reserved name'
187 )
188 }
189 if (typeof fn !== 'function') {
190 throw new TypeError('fn parameter is not a function')
191 }
192 try {
193 if (
194 this.taskFunctions.get(name) ===
195 this.taskFunctions.get(DEFAULT_TASK_NAME)
196 ) {
197 this.taskFunctions.set(DEFAULT_TASK_NAME, fn.bind(this))
198 }
199 this.taskFunctions.set(name, fn.bind(this))
200 return true
201 } catch {
202 return false
203 }
204 }
205
206 /**
207 * Removes a task function from the worker.
208 *
209 * @param name - The name of the task function to remove.
210 * @returns Whether the task function existed and was removed or not.
211 * @throws {@link https://nodejs.org/api/errors.html#class-typeerror} If the `name` parameter is not a string.
212 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the `name` parameter is the default task function reserved name.
213 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the `name` parameter is the task function used as default task function.
214 */
215 public removeTaskFunction (name: string): boolean {
216 if (typeof name !== 'string') {
217 throw new TypeError('name parameter is not a string')
218 }
219 if (name === DEFAULT_TASK_NAME) {
220 throw new Error(
221 'Cannot remove the task function with the default reserved name'
222 )
223 }
224 if (
225 this.taskFunctions.get(name) === this.taskFunctions.get(DEFAULT_TASK_NAME)
226 ) {
227 throw new Error(
228 'Cannot remove the task function used as the default task function'
229 )
230 }
231 return this.taskFunctions.delete(name)
232 }
233
234 /**
235 * Sets the default task function to use when no task function name is specified.
236 *
237 * @param name - The name of the task function to use as default task function.
238 * @returns Whether the default task function was set or not.
239 * @throws {@link https://nodejs.org/api/errors.html#class-typeerror} If the `name` parameter is not a string.
240 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the `name` parameter is the default task function reserved name.
241 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the `name` parameter is a non-existing task function.
242 */
243 public setDefaultTaskFunction (name: string): boolean {
244 if (typeof name !== 'string') {
245 throw new TypeError('name parameter is not a string')
246 }
247 if (name === DEFAULT_TASK_NAME) {
248 throw new Error(
249 'Cannot set the default task function reserved name as the default task function'
250 )
251 }
252 if (!this.taskFunctions.has(name)) {
253 throw new Error(
254 'Cannot set the default task function to a non-existing task function'
255 )
256 }
257 try {
258 this.taskFunctions.set(
259 DEFAULT_TASK_NAME,
260 this.taskFunctions.get(name)?.bind(this) as WorkerFunction<
261 Data,
262 Response
263 >
264 )
265 return true
266 } catch {
267 return false
268 }
269 }
270
271 /**
272 * Worker message listener.
273 *
274 * @param message - The received message.
275 */
276 protected messageListener (message: MessageValue<Data, Data>): void {
277 if (message.workerId === this.id) {
278 if (message.ready != null) {
279 // Startup message received
280 this.workerReady()
281 } else if (message.statistics != null) {
282 // Statistics message received
283 this.statistics = message.statistics
284 } else if (message.checkAlive != null) {
285 // Check alive message received
286 message.checkAlive ? this.startCheckAlive() : this.stopCheckAlive()
287 } else if (message.id != null && message.data != null) {
288 // Task message received
289 this.run(message)
290 } else if (message.kill === true) {
291 // Kill message received
292 this.stopCheckAlive()
293 this.emitDestroy()
294 }
295 }
296 }
297
298 /**
299 * Notifies the main worker that this worker is ready to process tasks.
300 */
301 protected workerReady (): void {
302 !this.isMain && this.sendToMainWorker({ ready: true, workerId: this.id })
303 }
304
305 /**
306 * Starts the worker aliveness check interval.
307 */
308 private startCheckAlive (): void {
309 this.lastTaskTimestamp = performance.now()
310 this.aliveInterval = setInterval(
311 this.checkAlive.bind(this),
312 (this.opts.maxInactiveTime ?? DEFAULT_MAX_INACTIVE_TIME) / 2
313 )
314 this.checkAlive.bind(this)()
315 }
316
317 /**
318 * Stops the worker aliveness check interval.
319 */
320 private stopCheckAlive (): void {
321 this.aliveInterval != null && clearInterval(this.aliveInterval)
322 }
323
324 /**
325 * Checks if the worker should be terminated, because its living too long.
326 */
327 private checkAlive (): void {
328 if (
329 performance.now() - this.lastTaskTimestamp >
330 (this.opts.maxInactiveTime ?? DEFAULT_MAX_INACTIVE_TIME)
331 ) {
332 this.sendToMainWorker({ kill: this.opts.killBehavior, workerId: this.id })
333 }
334 }
335
336 /**
337 * Returns the main worker.
338 *
339 * @returns Reference to the main worker.
340 */
341 protected getMainWorker (): MainWorker {
342 if (this.mainWorker == null) {
343 throw new Error('Main worker not set')
344 }
345 return this.mainWorker
346 }
347
348 /**
349 * Sends a message to the main worker.
350 *
351 * @param message - The response message.
352 */
353 protected abstract sendToMainWorker (
354 message: MessageValue<Response, Data>
355 ): void
356
357 /**
358 * Handles an error and convert it to a string so it can be sent back to the main worker.
359 *
360 * @param e - The error raised by the worker.
361 * @returns The error message.
362 */
363 protected handleError (e: Error | string): string {
364 return e instanceof Error ? e.message : e
365 }
366
367 /**
368 * Runs the given task.
369 *
370 * @param task - The task to execute.
371 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the task function is not found.
372 */
373 protected run (task: Task<Data>): void {
374 const fn = this.getTaskFunction(task.name)
375 if (isAsyncFunction(fn)) {
376 this.runInAsyncScope(this.runAsync.bind(this), this, fn, task)
377 } else {
378 this.runInAsyncScope(this.runSync.bind(this), this, fn, task)
379 }
380 }
381
382 /**
383 * Runs the given task function synchronously.
384 *
385 * @param fn - Task function that will be executed.
386 * @param task - Input data for the task function.
387 */
388 protected runSync (
389 fn: WorkerSyncFunction<Data, Response>,
390 task: Task<Data>
391 ): void {
392 try {
393 let taskPerformance = this.beginTaskPerformance(task.name)
394 const res = fn(task.data)
395 taskPerformance = this.endTaskPerformance(taskPerformance)
396 this.sendToMainWorker({
397 data: res,
398 taskPerformance,
399 workerId: this.id,
400 id: task.id
401 })
402 } catch (e) {
403 const errorMessage = this.handleError(e as Error | string)
404 this.sendToMainWorker({
405 taskError: {
406 name: task.name ?? DEFAULT_TASK_NAME,
407 message: errorMessage,
408 data: task.data
409 },
410 workerId: this.id,
411 id: task.id
412 })
413 } finally {
414 if (!this.isMain && this.aliveInterval != null) {
415 this.lastTaskTimestamp = performance.now()
416 }
417 }
418 }
419
420 /**
421 * Runs the given task function asynchronously.
422 *
423 * @param fn - Task function that will be executed.
424 * @param task - Input data for the task function.
425 */
426 protected runAsync (
427 fn: WorkerAsyncFunction<Data, Response>,
428 task: Task<Data>
429 ): void {
430 let taskPerformance = this.beginTaskPerformance(task.name)
431 fn(task.data)
432 .then(res => {
433 taskPerformance = this.endTaskPerformance(taskPerformance)
434 this.sendToMainWorker({
435 data: res,
436 taskPerformance,
437 workerId: this.id,
438 id: task.id
439 })
440 return null
441 })
442 .catch(e => {
443 const errorMessage = this.handleError(e as Error | string)
444 this.sendToMainWorker({
445 taskError: {
446 name: task.name ?? DEFAULT_TASK_NAME,
447 message: errorMessage,
448 data: task.data
449 },
450 workerId: this.id,
451 id: task.id
452 })
453 })
454 .finally(() => {
455 if (!this.isMain && this.aliveInterval != null) {
456 this.lastTaskTimestamp = performance.now()
457 }
458 })
459 .catch(EMPTY_FUNCTION)
460 }
461
462 /**
463 * Gets the task function with the given name.
464 *
465 * @param name - Name of the task function that will be returned.
466 * @returns The task function.
467 * @throws {@link https://nodejs.org/api/errors.html#class-error} If the task function is not found.
468 */
469 private getTaskFunction (name?: string): WorkerFunction<Data, Response> {
470 name = name ?? DEFAULT_TASK_NAME
471 const fn = this.taskFunctions.get(name)
472 if (fn == null) {
473 throw new Error(`Task function '${name}' not found`)
474 }
475 return fn
476 }
477
478 private beginTaskPerformance (name?: string): TaskPerformance {
479 this.checkStatistics()
480 return {
481 name: name ?? DEFAULT_TASK_NAME,
482 timestamp: performance.now(),
483 ...(this.statistics.elu && { elu: performance.eventLoopUtilization() })
484 }
485 }
486
487 private endTaskPerformance (
488 taskPerformance: TaskPerformance
489 ): TaskPerformance {
490 this.checkStatistics()
491 return {
492 ...taskPerformance,
493 ...(this.statistics.runTime && {
494 runTime: performance.now() - taskPerformance.timestamp
495 }),
496 ...(this.statistics.elu && {
497 elu: performance.eventLoopUtilization(taskPerformance.elu)
498 })
499 }
500 }
501
502 private checkStatistics (): void {
503 if (this.statistics == null) {
504 throw new Error('Performance statistics computation requirements not set')
505 }
506 }
507 }