47 lines
1.1 KiB
TypeScript
47 lines
1.1 KiB
TypeScript
import * as plugins from './lik.plugins.js';
|
|
|
|
export class BackpressuredArray<T> {
|
|
public data: T[];
|
|
private highWaterMark: number;
|
|
public hasSpace = new plugins.smartrx.rxjs.Subject<'hasSpace'>();
|
|
|
|
constructor(highWaterMark: number = 16) {
|
|
this.data = [];
|
|
this.highWaterMark = highWaterMark;
|
|
}
|
|
|
|
push(item: T): boolean {
|
|
this.data.push(item);
|
|
const spaceAvailable = this.checkSpaceAvailable();
|
|
if (spaceAvailable) {
|
|
this.hasSpace.next('hasSpace');
|
|
}
|
|
return spaceAvailable
|
|
}
|
|
|
|
shift(): T | undefined {
|
|
const item = this.data.shift();
|
|
if (this.checkSpaceAvailable()) {
|
|
this.hasSpace.next('hasSpace');
|
|
}
|
|
return item;
|
|
}
|
|
|
|
checkSpaceAvailable(): boolean {
|
|
return this.data.length < this.highWaterMark;
|
|
}
|
|
|
|
waitForSpace(): Promise<void> {
|
|
return new Promise<void>((resolve) => {
|
|
if (this.checkSpaceAvailable()) {
|
|
resolve();
|
|
} else {
|
|
const subscription = this.hasSpace.subscribe(() => {
|
|
subscription.unsubscribe();
|
|
resolve();
|
|
});
|
|
}
|
|
});
|
|
}
|
|
}
|