// Copyright 2019-2022 Signal Messenger, LLC // SPDX-License-Identifier: AGPL-3.0-only import PQueue from 'p-queue'; import { sleep } from './sleep'; import * as log from '../logging/log'; import * as Errors from '../types/errors'; import { clearTimeoutIfNecessary } from './clearTimeoutIfNecessary'; import { MINUTE } from './durations'; declare global { // We want to extend `window`'s properties, so we need an interface. // eslint-disable-next-line no-restricted-syntax interface Window { // eslint-disable-next-line @typescript-eslint/no-explicit-any batchers: Array>; waitForAllBatchers: () => Promise; } } window.batchers = []; window.waitForAllBatchers = async () => { log.info('batcher#waitForAllBatchers'); try { await Promise.all(window.batchers.map(item => item.flushAndWait())); } catch (error) { log.error( 'waitForAllBatchers: error flushing all', Errors.toLogFormat(error) ); } }; export type BatcherOptionsType = { name: string; wait: number; maxSize: number; processBatch: (items: Array) => void | Promise; }; export type BatcherType = { add: (item: ItemType) => void; removeAll: (needle: ItemType) => void; anyPending: () => boolean; onIdle: () => Promise; flushAndWait: () => Promise; unregister: () => void; }; export function createBatcher( options: BatcherOptionsType ): BatcherType { let batcher: BatcherType; let timeout: NodeJS.Timeout | null; let items: Array = []; const queue = new PQueue({ concurrency: 1, timeout: MINUTE * 30, throwOnTimeout: true, }); function _kickBatchOff() { clearTimeoutIfNecessary(timeout); timeout = null; const itemsRef = items; items = []; queue.add(async () => { await options.processBatch(itemsRef); }); } function add(item: ItemType) { items.push(item); if (items.length === 1) { // Set timeout once when we just pushed the first item so that the wait // time is bounded by `options.wait` and not extended by further pushes. timeout = setTimeout(_kickBatchOff, options.wait); } else if (items.length >= options.maxSize) { _kickBatchOff(); } } function removeAll(needle: ItemType) { items = items.filter(item => item !== needle); } 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) { // eslint-disable-next-line no-await-in-loop await queue.onIdle(); } if (items.length > 0) { // eslint-disable-next-line no-await-in-loop await sleep(options.wait * 2); } } } function unregister() { window.batchers = window.batchers.filter(item => item !== batcher); } async function flushAndWait() { log.info(`Flushing ${options.name} batcher items.length=${items.length}`); while (anyPending()) { _kickBatchOff(); if (queue.size > 0 || queue.pending > 0) { // eslint-disable-next-line no-await-in-loop await queue.onIdle(); } } log.info(`Flushing complete ${options.name} for batcher`); } batcher = { add, removeAll, anyPending, onIdle, flushAndWait, unregister, }; window.batchers.push(batcher); return batcher; }