I am writing a function that should execute all async functions as fast as possible, however, only 5 of them can run at the same time.
I wanted to do it using Promise.race
so the implementation is not the best. The problem is that the code execution doesn't stop at await
. I would expect, that counter
variable would be decremented only when the promise resolves but it doesn't wait for the promise to resolve. The code doesn't stop at Promise.all
either which makes me thing that my understanding of promises is not proper. The code is below and the function in question is runPromises
.
async function runPromises(promises, limit) {
const LIMIT = limit || 10;
let promsCopy = promises.slice();
let counter = 0;
let queue = [];
while (promsCopy.length !== 0) {
if (counter < LIMIT) {
let prom = promsCopy.shift();
if (prom) {
queue.push(prom());
counter += 1;
if (counter >= LIMIT) {
let [completed] = await Promise.race(
queue.map((p) => p.then((_) => [p]))
);
queue.splice(queue.indexOf(completed), 1);
counter -= 1;
}
}
}
}
await Promise.all(queue);
}
// the code below is just for testing
const asyncFuncLong = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve();
}, 6000);
});
};
const asyncFuncShort = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve();
}, 1000);
});
};
let fns = [
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
asyncFuncLong,
];
let start = Date.now();
runPromises(fns, 10).then(() => {
console.log(Date.now() - start);
});
Edit: Fixed. Everything works now. Thank you both!