Signal-Desktop/ts/util/batcher.ts

112 lines
2.3 KiB
TypeScript
Raw Normal View History

2019-09-26 19:56:31 +00:00
import PQueue from 'p-queue';
// @ts-ignore
window.batchers = [];
// @ts-ignore
window.waitForAllBatchers = async () => {
// @ts-ignore
await Promise.all(window.batchers.map(item => item.flushAndWait()));
2019-09-26 19:56:31 +00:00
};
export type BatcherOptionsType<ItemType> = {
2019-09-26 19:56:31 +00:00
wait: number;
maxSize: number;
processBatch: (items: Array<ItemType>) => Promise<void>;
};
export type BatcherType<ItemType> = {
2019-09-26 19:56:31 +00:00
add: (item: ItemType) => void;
anyPending: () => boolean;
onIdle: () => Promise<void>;
flushAndWait: () => Promise<void>;
2019-09-26 19:56:31 +00:00
unregister: () => void;
};
async function sleep(ms: number): Promise<void> {
// tslint:disable-next-line:no-string-based-set-timeout
await new Promise(resolve => setTimeout(resolve, ms));
}
export function createBatcher<ItemType>(
options: BatcherOptionsType<ItemType>
): BatcherType<ItemType> {
let batcher: BatcherType<ItemType>;
let timeout: any;
let items: Array<ItemType> = [];
const queue = new PQueue({ concurrency: 1 });
function _kickBatchOff() {
const itemsRef = items;
items = [];
// tslint:disable-next-line:no-floating-promises
queue.add(async () => {
await options.processBatch(itemsRef);
});
}
function add(item: ItemType) {
items.push(item);
if (timeout) {
clearTimeout(timeout);
timeout = null;
}
if (items.length >= options.maxSize) {
_kickBatchOff();
} else {
timeout = setTimeout(() => {
timeout = null;
_kickBatchOff();
}, options.wait);
}
}
function anyPending(): boolean {
return queue.size > 0 || queue.pending > 0 || items.length > 0;
}
async function onIdle() {
while (anyPending()) {
if (queue.size > 0 || queue.pending > 0) {
await queue.onIdle();
}
if (items.length > 0) {
await sleep(options.wait * 2);
}
}
}
function unregister() {
// @ts-ignore
window.batchers = window.batchers.filter((item: any) => item !== batcher);
}
async function flushAndWait() {
if (timeout) {
clearTimeout(timeout);
timeout = null;
}
if (items.length) {
_kickBatchOff();
}
return onIdle();
}
2019-09-26 19:56:31 +00:00
batcher = {
add,
anyPending,
onIdle,
flushAndWait,
2019-09-26 19:56:31 +00:00
unregister,
};
// @ts-ignore
window.batchers.push(batcher);
return batcher;
}