test: fix UTs
[poolifier.git] / src / utils.ts
... / ...
CommitLineData
1import * as os from 'node:os'
2import { webcrypto } from 'node:crypto'
3import { Worker as ClusterWorker } from 'node:cluster'
4import { Worker as ThreadWorker } from 'node:worker_threads'
5import type {
6 MeasurementStatisticsRequirements,
7 WorkerChoiceStrategyOptions
8} from './pools/selection-strategies/selection-strategies-types'
9import type { KillBehavior } from './worker/worker-options'
10import {
11 type IWorker,
12 type MeasurementStatistics,
13 type WorkerType,
14 WorkerTypes
15} from './pools/worker'
16
17/**
18 * Default task name.
19 */
20export const DEFAULT_TASK_NAME = 'default'
21
22/**
23 * An intentional empty function.
24 */
25export const EMPTY_FUNCTION: () => void = Object.freeze(() => {
26 /* Intentionally empty */
27})
28
29/**
30 * Default worker choice strategy options.
31 */
32export const DEFAULT_WORKER_CHOICE_STRATEGY_OPTIONS: WorkerChoiceStrategyOptions =
33 {
34 retries: 6,
35 runTime: { median: false },
36 waitTime: { median: false },
37 elu: { median: false }
38 }
39
40/**
41 * Default measurement statistics requirements.
42 */
43export const DEFAULT_MEASUREMENT_STATISTICS_REQUIREMENTS: MeasurementStatisticsRequirements =
44 {
45 aggregate: false,
46 average: false,
47 median: false
48 }
49
50/**
51 * Returns safe host OS optimized estimate of the default amount of parallelism a pool should use.
52 * Always returns a value greater than zero.
53 *
54 * @returns The host OS optimized maximum pool size.
55 * @internal
56 */
57export const availableParallelism = (): number => {
58 let availableParallelism = 1
59 try {
60 availableParallelism = os.availableParallelism()
61 } catch {
62 const cpus = os.cpus()
63 if (Array.isArray(cpus) && cpus.length > 0) {
64 availableParallelism = cpus.length
65 }
66 }
67 return availableParallelism
68}
69
70/**
71 * Returns the worker type of the given worker.
72 *
73 * @param worker - The worker to get the type of.
74 * @returns The worker type of the given worker.
75 * @internal
76 */
77export const getWorkerType = (worker: IWorker): WorkerType | undefined => {
78 if (worker instanceof ThreadWorker) {
79 return WorkerTypes.thread
80 } else if (worker instanceof ClusterWorker) {
81 return WorkerTypes.cluster
82 }
83}
84
85/**
86 * Returns the worker id of the given worker.
87 *
88 * @param worker - The worker to get the id of.
89 * @returns The worker id of the given worker.
90 * @internal
91 */
92export const getWorkerId = (worker: IWorker): number | undefined => {
93 if (worker instanceof ThreadWorker) {
94 return worker.threadId
95 } else if (worker instanceof ClusterWorker) {
96 return worker.id
97 }
98}
99
100/**
101 * Sleeps for the given amount of milliseconds.
102 *
103 * @param ms - The amount of milliseconds to sleep.
104 * @returns A promise that resolves after the given amount of milliseconds.
105 */
106export const sleep = async (ms: number): Promise<void> => {
107 await new Promise((resolve) => {
108 setTimeout(resolve, ms)
109 })
110}
111
112/**
113 * Computes the retry delay in milliseconds using an exponential back off algorithm.
114 *
115 * @param retryNumber - The number of retries that have already been attempted
116 * @param delayFactor - The base delay factor in milliseconds
117 * @returns Delay in milliseconds
118 * @internal
119 */
120export const exponentialDelay = (
121 retryNumber = 0,
122 delayFactor = 100
123): number => {
124 const delay = Math.pow(2, retryNumber) * delayFactor
125 const randomSum = delay * 0.2 * secureRandom() // 0-20% of the delay
126 return delay + randomSum
127}
128
129/**
130 * Computes the average of the given data set.
131 *
132 * @param dataSet - Data set.
133 * @returns The average of the given data set.
134 * @internal
135 */
136export const average = (dataSet: number[]): number => {
137 if (Array.isArray(dataSet) && dataSet.length === 0) {
138 return 0
139 }
140 if (Array.isArray(dataSet) && dataSet.length === 1) {
141 return dataSet[0]
142 }
143 return (
144 dataSet.reduce((accumulator, number) => accumulator + number, 0) /
145 dataSet.length
146 )
147}
148
149/**
150 * Computes the median of the given data set.
151 *
152 * @param dataSet - Data set.
153 * @returns The median of the given data set.
154 * @internal
155 */
156export const median = (dataSet: number[]): number => {
157 if (Array.isArray(dataSet) && dataSet.length === 0) {
158 return 0
159 }
160 if (Array.isArray(dataSet) && dataSet.length === 1) {
161 return dataSet[0]
162 }
163 const sortedDataSet = dataSet.slice().sort((a, b) => a - b)
164 return (
165 (sortedDataSet[(sortedDataSet.length - 1) >> 1] +
166 sortedDataSet[sortedDataSet.length >> 1]) /
167 2
168 )
169}
170
171/**
172 * Rounds the given number to the given scale.
173 * The rounding is done using the "round half away from zero" method.
174 *
175 * @param num - The number to round.
176 * @param scale - The scale to round to.
177 * @returns The rounded number.
178 */
179export const round = (num: number, scale = 2): number => {
180 const rounder = Math.pow(10, scale)
181 return Math.round(num * rounder * (1 + Number.EPSILON)) / rounder
182}
183
184/**
185 * Is the given object a plain object?
186 *
187 * @param obj - The object to check.
188 * @returns `true` if the given object is a plain object, `false` otherwise.
189 */
190export const isPlainObject = (obj: unknown): boolean =>
191 typeof obj === 'object' &&
192 obj !== null &&
193 obj?.constructor === Object &&
194 Object.prototype.toString.call(obj) === '[object Object]'
195
196/**
197 * Detects whether the given value is a kill behavior or not.
198 *
199 * @typeParam KB - Which specific KillBehavior type to test against.
200 * @param killBehavior - Which kind of kill behavior to detect.
201 * @param value - Any value.
202 * @returns `true` if `value` was strictly equals to `killBehavior`, otherwise `false`.
203 * @internal
204 */
205export const isKillBehavior = <KB extends KillBehavior>(
206 killBehavior: KB,
207 value: unknown
208): value is KB => {
209 return value === killBehavior
210}
211
212/**
213 * Detects whether the given value is an asynchronous function or not.
214 *
215 * @param fn - Any value.
216 * @returns `true` if `fn` was an asynchronous function, otherwise `false`.
217 */
218export const isAsyncFunction = (
219 fn: unknown
220): fn is (...args: unknown[]) => Promise<unknown> => {
221 return typeof fn === 'function' && fn.constructor.name === 'AsyncFunction'
222}
223
224/**
225 * Updates the given measurement statistics.
226 *
227 * @param measurementStatistics - The measurement statistics to update.
228 * @param measurementRequirements - The measurement statistics requirements.
229 * @param measurementValue - The measurement value.
230 * @param numberOfMeasurements - The number of measurements.
231 * @internal
232 */
233export const updateMeasurementStatistics = (
234 measurementStatistics: MeasurementStatistics,
235 measurementRequirements: MeasurementStatisticsRequirements,
236 measurementValue: number
237): void => {
238 if (measurementRequirements.aggregate) {
239 measurementStatistics.aggregate =
240 (measurementStatistics.aggregate ?? 0) + measurementValue
241 measurementStatistics.minimum = Math.min(
242 measurementValue,
243 measurementStatistics.minimum ?? Infinity
244 )
245 measurementStatistics.maximum = Math.max(
246 measurementValue,
247 measurementStatistics.maximum ?? -Infinity
248 )
249 if (
250 (measurementRequirements.average || measurementRequirements.median) &&
251 measurementValue != null
252 ) {
253 measurementStatistics.history.push(measurementValue)
254 if (measurementRequirements.average) {
255 measurementStatistics.average = average(measurementStatistics.history)
256 } else if (measurementStatistics.average != null) {
257 delete measurementStatistics.average
258 }
259 if (measurementRequirements.median) {
260 measurementStatistics.median = median(measurementStatistics.history)
261 } else if (measurementStatistics.median != null) {
262 delete measurementStatistics.median
263 }
264 }
265 }
266}
267
268/**
269 * Generate a cryptographically secure random number in the [0,1[ range
270 *
271 * @returns A number in the [0,1[ range
272 */
273export const secureRandom = (): number => {
274 return webcrypto.getRandomValues(new Uint32Array(1))[0] / 0x100000000
275}