Using promises to time limit asynchronous tasks
I’ve been reading Nicholas Bevacqua’s
brilliant Practical Modern JavaScript
recently and came across this technique for using Promise.race()
to intervene when an asynchronous task is taking
longer than is acceptable.
function timeout(delay) {
return new Promise(function (resolve, reject) {
setTimeout(() => reject('timeout'), delay)
})
}
Promise
.race([fetch('/large-resource-download'), timeout(5000)])
.then(res => console.log(res))
.catch(err => console.log(err));
How it works
JavaScript promises provide a couple of mechanisms for managing concurrent tasks:
Promise.all()
resolves when all passed promises resolve (or it encounters a rejection)Promise.race()
resolves when the first passed promise is resolved (or, likePromise.all()
it encounters a rejection)
All we’re doing here is to create a timeout()
function which returns a promise that is rejected after a specified
delay. By passing this to Promise.race()
along with our asynchronous fetch we can trigger the catch if the task (
downloading a large file, in this example) is taking longer than is specified as acceptable.