feat(simulator): switch TS transpiler to ECMAScript 2022
[e-mobility-charging-stations-simulator.git] / src / utils / Utils.ts
CommitLineData
52ed5cf0 1import crypto from 'node:crypto';
764d2c91 2import util from 'node:util';
8114d10e 3
088ee3c1
JB
4import clone from 'just-clone';
5
60a74391 6import { Constants } from './internal';
268a74bb 7import { WebSocketCloseEventStatusString } from '../types';
5e3cb728 8
268a74bb 9export class Utils {
d5bd1c00
JB
10 private constructor() {
11 // This is intentional
12 }
13
8b7072dc 14 public static logPrefix = (prefixString = ''): string => {
a1e5fe4e 15 return `${new Date().toLocaleString()}${prefixString}`;
8b7072dc 16 };
147d0e0f 17
0f16a662 18 public static generateUUID(): string {
03eacbe5
JB
19 return crypto.randomUUID();
20 }
21
22 public static validateUUID(uuid: string): boolean {
8bd02502
JB
23 return /^[0-9a-fA-F]{8}-[0-9a-fA-F]{4}-4[0-9a-fA-F]{3}-[0-9a-fA-F]{4}-[0-9a-fA-F]{12}$/.test(
24 uuid
25 );
7dde0b73
JB
26 }
27
0f16a662 28 public static async sleep(milliSeconds: number): Promise<NodeJS.Timeout> {
72092cfc 29 return new Promise((resolve) => setTimeout(resolve as () => void, milliSeconds));
7dde0b73
JB
30 }
31
d7d1db72
JB
32 public static formatDurationMilliSeconds(duration: number): string {
33 duration = Utils.convertToInt(duration);
34 const hours = Math.floor(duration / (3600 * 1000));
e7aeea18
JB
35 const minutes = Math.floor((duration / 1000 - hours * 3600) / 60);
36 const seconds = duration / 1000 - hours * 3600 - minutes * 60;
a3868ec4
JB
37 let hoursStr = hours.toString();
38 let minutesStr = minutes.toString();
39 let secondsStr = seconds.toString();
d7d1db72
JB
40
41 if (hours < 10) {
44eb6026 42 hoursStr = `0${hours.toString()}`;
d7d1db72
JB
43 }
44 if (minutes < 10) {
44eb6026 45 minutesStr = `0${minutes.toString()}`;
d7d1db72
JB
46 }
47 if (seconds < 10) {
44eb6026 48 secondsStr = `0${seconds.toString()}`;
d7d1db72 49 }
44eb6026 50 return `${hoursStr}:${minutesStr}:${secondsStr.substring(0, 6)}`;
9ac86a7e
JB
51 }
52
d7d1db72
JB
53 public static formatDurationSeconds(duration: number): string {
54 return Utils.formatDurationMilliSeconds(duration * 1000);
7dde0b73
JB
55 }
56
b1340ec1
JB
57 public static convertToDate(
58 value: Date | string | number | null | undefined
59 ): Date | null | undefined {
d439da5c
JB
60 if (Utils.isNullOrUndefined(value)) {
61 return value as null | undefined;
62 }
63 if (value instanceof Date) {
64 return value;
560bcf5b 65 }
d439da5c 66 if (Utils.isString(value) || typeof value === 'number') {
b1340ec1 67 return new Date(value);
7dde0b73 68 }
d439da5c 69 return null;
7dde0b73
JB
70 }
71
0f16a662 72 public static convertToInt(value: unknown): number {
72766a82 73 if (!value) {
7dde0b73
JB
74 return 0;
75 }
69bafbed 76 let changedValue: number = value as number;
72766a82 77 if (Number.isSafeInteger(value)) {
95926c9b 78 return value as number;
72766a82 79 }
df645d8f 80 if (typeof value === 'number') {
b1340ec1 81 return Math.trunc(value);
df645d8f 82 }
3df786f9
JB
83 if (Utils.isString(value)) {
84 changedValue = parseInt(value as string);
85 }
b1340ec1
JB
86 if (isNaN(changedValue)) {
87 throw new Error(`Cannot convert to integer: ${value.toString()}`);
88 }
72766a82 89 return changedValue;
7dde0b73
JB
90 }
91
0f16a662 92 public static convertToFloat(value: unknown): number {
72766a82 93 if (!value) {
7dde0b73
JB
94 return 0;
95 }
69bafbed 96 let changedValue: number = value as number;
087a502d 97 if (Utils.isString(value)) {
73d09045 98 changedValue = parseFloat(value as string);
7dde0b73 99 }
b1340ec1
JB
100 if (isNaN(changedValue)) {
101 throw new Error(`Cannot convert to float: ${value.toString()}`);
102 }
72766a82 103 return changedValue;
7dde0b73
JB
104 }
105
0f16a662 106 public static convertToBoolean(value: unknown): boolean {
a6e68f34 107 let result = false;
a6e68f34
JB
108 if (value) {
109 // Check the type
110 if (typeof value === 'boolean') {
b1340ec1 111 return value;
df645d8f
JB
112 } else if (
113 Utils.isString(value) &&
114 ((value as string).toLowerCase() === 'true' || value === '1')
115 ) {
116 result = true;
117 } else if (typeof value === 'number' && value === 1) {
118 result = true;
a6e68f34
JB
119 }
120 }
121 return result;
122 }
123
2f45578b
JB
124 public static getRandomFloat(max = Number.MAX_VALUE, min = 0): number {
125 if (max < min) {
126 throw new RangeError('Invalid interval');
127 }
128 if (max - min === Infinity) {
b322b8b4
JB
129 throw new RangeError('Invalid interval');
130 }
602d810a 131 return (crypto.randomBytes(4).readUInt32LE() / 0xffffffff) * (max - min) + min;
560bcf5b
JB
132 }
133
59395dc1 134 public static getRandomInteger(max = Constants.MAX_RANDOM_INTEGER, min = 0): number {
fd00fa2e 135 max = Math.floor(max);
1f86b121 136 if (!Utils.isNullOrUndefined(min) && min !== 0) {
fd00fa2e 137 min = Math.ceil(min);
59395dc1 138 return Math.floor(crypto.randomInt(min, max + 1));
7dde0b73 139 }
59395dc1 140 return Math.floor(crypto.randomInt(max + 1));
560bcf5b
JB
141 }
142
0f16a662 143 public static roundTo(numberValue: number, scale: number): number {
ad3de6c4 144 const roundPower = Math.pow(10, scale);
035742f7 145 return Math.round(numberValue * roundPower) / roundPower;
560bcf5b
JB
146 }
147
0f16a662 148 public static truncTo(numberValue: number, scale: number): number {
6d3a11a0 149 const truncPower = Math.pow(10, scale);
035742f7 150 return Math.trunc(numberValue * truncPower) / truncPower;
6d3a11a0
JB
151 }
152
b5e5892d 153 public static getRandomFloatRounded(max = Number.MAX_VALUE, min = 0, scale = 2): number {
560bcf5b
JB
154 if (min) {
155 return Utils.roundTo(Utils.getRandomFloat(max, min), scale);
156 }
157 return Utils.roundTo(Utils.getRandomFloat(max), scale);
7dde0b73
JB
158 }
159
e7aeea18
JB
160 public static getRandomFloatFluctuatedRounded(
161 staticValue: number,
162 fluctuationPercent: number,
163 scale = 2
164 ): number {
9ccca265
JB
165 if (fluctuationPercent === 0) {
166 return Utils.roundTo(staticValue, scale);
167 }
97ef739c 168 const fluctuationRatio = fluctuationPercent / 100;
e7aeea18
JB
169 return Utils.getRandomFloatRounded(
170 staticValue * (1 + fluctuationRatio),
171 staticValue * (1 - fluctuationRatio),
172 scale
173 );
9ccca265
JB
174 }
175
91ecff2d 176 public static isObject(item: unknown): boolean {
98fc1389
JB
177 return (
178 Utils.isNullOrUndefined(item) === false &&
179 typeof item === 'object' &&
180 Array.isArray(item) === false
181 );
91ecff2d
JB
182 }
183
088ee3c1
JB
184 public static cloneObject<T extends object>(object: T): T {
185 return clone<T>(object);
2e6f5966 186 }
facd8ebd 187
4c5e87ae 188 public static objectHasOwnProperty(object: unknown, property: string): boolean {
c5f2c258 189 return Utils.isObject(object) && Object.hasOwn(object as object, property);
dada83ec
JB
190 }
191
192 public static isCFEnvironment(): boolean {
193 return process.env.VCAP_APPLICATION !== undefined;
194 }
195
afb26ef1 196 public static isIterable<T>(obj: T): boolean {
1895299d 197 return !Utils.isNullOrUndefined(obj) ? typeof obj[Symbol.iterator] === 'function' : false;
67e9cccf
JB
198 }
199
0f16a662 200 public static isString(value: unknown): boolean {
560bcf5b
JB
201 return typeof value === 'string';
202 }
203
e8191622 204 public static isEmptyString(value: unknown): boolean {
5a2a53cf
JB
205 return (
206 Utils.isNullOrUndefined(value) ||
207 (Utils.isString(value) && (value as string).trim().length === 0)
208 );
209 }
210
211 public static isNotEmptyString(value: unknown): boolean {
212 return Utils.isString(value) && (value as string).trim().length > 0;
e8191622
JB
213 }
214
0f16a662 215 public static isUndefined(value: unknown): boolean {
72092cfc 216 return value === undefined;
ead548f2
JB
217 }
218
0f16a662 219 public static isNullOrUndefined(value: unknown): boolean {
7558b3a6 220 // eslint-disable-next-line eqeqeq, no-eq-null
1732e614 221 return value == null;
facd8ebd 222 }
4a56deef 223
45999aab 224 public static isEmptyArray(object: unknown | unknown[]): boolean {
53ac516c 225 if (Array.isArray(object) && object.length === 0) {
30e27491 226 return true;
fd1ee77c 227 }
53ac516c
JB
228 return false;
229 }
230
231 public static isNotEmptyArray(object: unknown | unknown[]): boolean {
232 if (Array.isArray(object) && object.length > 0) {
233 return true;
4a56deef 234 }
53ac516c 235 return false;
4a56deef 236 }
7abfea5f 237
94ec7e96 238 public static isEmptyObject(obj: object): boolean {
5e5ba121 239 if (obj?.constructor !== Object) {
d20581ee
JB
240 return false;
241 }
87f82a94
JB
242 // Iterates over the keys of an object, if
243 // any exist, return false.
244 for (const _ in obj) {
245 return false;
246 }
247 return true;
7abfea5f 248 }
7ec46a9a 249
e7aeea18
JB
250 public static insertAt = (str: string, subStr: string, pos: number): string =>
251 `${str.slice(0, pos)}${subStr}${str.slice(pos)}`;
032d6efc
JB
252
253 /**
0e4fa348 254 * @param retryNumber - the number of retries that have already been attempted
81797102 255 * @returns delay in milliseconds
032d6efc 256 */
0f16a662 257 public static exponentialDelay(retryNumber = 0): number {
032d6efc 258 const delay = Math.pow(2, retryNumber) * 100;
c37528f1 259 const randomSum = delay * 0.2 * Utils.secureRandom(); // 0-20% of the delay
032d6efc
JB
260 return delay + randomSum;
261 }
32a1eb7a 262
764d2c91
JB
263 public static isPromisePending(promise: Promise<unknown>): boolean {
264 return util.inspect(promise).includes('pending');
265 }
266
6d9abcc2 267 public static async promiseWithTimeout<T>(
e7aeea18
JB
268 promise: Promise<T>,
269 timeoutMs: number,
270 timeoutError: Error,
271 timeoutCallback: () => void = () => {
272 /* This is intentional */
273 }
6d9abcc2
JB
274 ): Promise<T> {
275 // Create a timeout promise that rejects in timeout milliseconds
276 const timeoutPromise = new Promise<never>((_, reject) => {
277 setTimeout(() => {
764d2c91
JB
278 if (Utils.isPromisePending(promise)) {
279 timeoutCallback();
59395dc1 280 // FIXME: The original promise shall be canceled
764d2c91 281 }
6d9abcc2
JB
282 reject(timeoutError);
283 }, timeoutMs);
284 });
285
286 // Returns a race between timeout promise and the passed promise
287 return Promise.race<T>([promise, timeoutPromise]);
288 }
289
c37528f1 290 /**
0f16a662 291 * Generate a cryptographically secure random number in the [0,1[ range
c37528f1
JB
292 *
293 * @returns
294 */
0f16a662 295 public static secureRandom(): number {
c37528f1
JB
296 return crypto.randomBytes(4).readUInt32LE() / 0x100000000;
297 }
fe791818
JB
298
299 public static JSONStringifyWithMapSupport(
edd13439 300 obj: Record<string, unknown> | Record<string, unknown>[] | Map<unknown, unknown>,
fe791818
JB
301 space?: number
302 ): string {
303 return JSON.stringify(
304 obj,
305 (key, value: Record<string, unknown>) => {
306 if (value instanceof Map) {
307 return {
308 dataType: 'Map',
309 value: [...value],
310 };
311 }
312 return value;
313 },
314 space
315 );
316 }
5e3cb728
JB
317
318 /**
319 * Convert websocket error code to human readable string message
320 *
0e4fa348 321 * @param code - websocket error code
5e3cb728
JB
322 * @returns human readable string message
323 */
324 public static getWebSocketCloseEventStatusString(code: number): string {
325 if (code >= 0 && code <= 999) {
326 return '(Unused)';
327 } else if (code >= 1016) {
328 if (code <= 1999) {
329 return '(For WebSocket standard)';
330 } else if (code <= 2999) {
331 return '(For WebSocket extensions)';
332 } else if (code <= 3999) {
333 return '(For libraries and frameworks)';
334 } else if (code <= 4999) {
335 return '(For applications)';
336 }
337 }
338 if (!Utils.isUndefined(WebSocketCloseEventStatusString[code])) {
339 return WebSocketCloseEventStatusString[code] as string;
340 }
341 return '(Unknown)';
342 }
7dde0b73 343}