LibreChat/api/server/utils/queue.js
Danny Avila dbe4dd96b4
🧹 chore: Cleanup Logger and Utility Imports (#9935)
* 🧹 chore: Update logger imports to use @librechat/data-schemas across multiple files and remove unused sleep function from queue.js (#9930)

* chore: Replace local isEnabled utility with @librechat/api import across multiple files, update test files

* chore: Replace local logger import with @librechat/data-schemas logger in countTokens.js and fork.js

* chore: Update logs volume path in docker-compose.yml to correct directory

* chore: import order of isEnabled in static.js
2025-10-01 23:30:47 -04:00

58 lines
1.4 KiB
JavaScript

/**
* A leaky bucket queue structure to manage API requests.
* @type {{queue: Array, interval: NodeJS.Timer | null}}
*/
const _LB = {
queue: [],
interval: null,
};
/**
* Interval in milliseconds to control the rate of API requests.
* Adjust the interval according to your rate limit needs.
*/
const _LB_INTERVAL_MS = Math.ceil(1000 / 60); // 60 req/s
/**
* Executes the next function in the leaky bucket queue.
* This function is called at regular intervals defined by _LB_INTERVAL_MS.
*/
const _LB_EXEC_NEXT = async () => {
if (_LB.queue.length === 0) {
clearInterval(_LB.interval);
_LB.interval = null;
return;
}
const next = _LB.queue.shift();
if (!next) {
return;
}
const { asyncFunc, args, callback } = next;
try {
const data = await asyncFunc(...args);
callback(null, data);
} catch (e) {
callback(e);
}
};
/**
* Adds an async function call to the leaky bucket queue.
* @param {Function} asyncFunc - The async function to be executed.
* @param {Array} args - Arguments to pass to the async function.
* @param {Function} callback - Callback function for handling the result or error.
*/
function LB_QueueAsyncCall(asyncFunc, args, callback) {
_LB.queue.push({ asyncFunc, args, callback });
if (_LB.interval === null) {
_LB.interval = setInterval(_LB_EXEC_NEXT, _LB_INTERVAL_MS);
}
}
module.exports = {
LB_QueueAsyncCall,
};