4fafe5280a78cd849667f94e12e7e198e16f2dc7
[e-mobility-charging-stations-simulator.git] / src / utils / CircularArray.ts
1 // Copyright Jerome Benoit. 2021-2023. All Rights Reserved.
2
3 export const DEFAULT_CIRCULAR_ARRAY_SIZE = 1024;
4
5 /**
6 * Array with a maximum length and shifting items when full.
7 */
8 export class CircularArray<T> extends Array<T> {
9 public size: number;
10
11 constructor(size: number = DEFAULT_CIRCULAR_ARRAY_SIZE, ...items: T[]) {
12 super();
13 this.checkSize(size);
14 this.size = size;
15 if (arguments.length > 1) {
16 this.push(...items);
17 }
18 }
19
20 public push(...items: T[]): number {
21 const length = super.push(...items);
22 if (length > this.size) {
23 super.splice(0, length - this.size);
24 }
25 return this.length;
26 }
27
28 public unshift(...items: T[]): number {
29 const length = super.unshift(...items);
30 if (length > this.size) {
31 super.splice(this.size, items.length);
32 }
33 return this.length;
34 }
35
36 public concat(...items: (T | ConcatArray<T>)[]): CircularArray<T> {
37 const concatenatedCircularArray = super.concat(items as T[]) as CircularArray<T>;
38 concatenatedCircularArray.size = this.size;
39 if (concatenatedCircularArray.length > concatenatedCircularArray.size) {
40 concatenatedCircularArray.splice(
41 0,
42 concatenatedCircularArray.length - concatenatedCircularArray.size,
43 );
44 }
45 return concatenatedCircularArray;
46 }
47
48 public splice(start: number, deleteCount?: number, ...items: T[]): CircularArray<T> {
49 let itemsRemoved: T[] = [];
50 if (arguments.length >= 3 && deleteCount !== undefined) {
51 itemsRemoved = super.splice(start, deleteCount, ...items);
52 if (this.length > this.size) {
53 const itemsOverflowing = super.splice(0, this.length - this.size);
54 itemsRemoved = new CircularArray<T>(
55 itemsRemoved.length + itemsOverflowing.length,
56 ...itemsRemoved,
57 ...itemsOverflowing,
58 );
59 }
60 } else if (arguments.length === 2) {
61 itemsRemoved = super.splice(start, deleteCount);
62 } else {
63 itemsRemoved = super.splice(start);
64 }
65 return itemsRemoved as CircularArray<T>;
66 }
67
68 public resize(size: number): void {
69 this.checkSize(size);
70 if (size === 0) {
71 this.length = 0;
72 } else if (size < this.size) {
73 for (let i = size; i < this.size; i++) {
74 super.pop();
75 }
76 }
77 this.size = size;
78 }
79
80 public empty(): boolean {
81 return this.length === 0;
82 }
83
84 public full(): boolean {
85 return this.length === this.size;
86 }
87
88 private checkSize(size: number): void {
89 if (!Number.isSafeInteger(size)) {
90 throw new TypeError(`Invalid circular array size: ${size} is not a safe integer`);
91 }
92 if (size < 0) {
93 throw new RangeError(`Invalid circular array size: ${size} < 0`);
94 }
95 }
96 }