Subscribe to 💌 Tiny Improvements, my weekly newsletter for product builders. It's a single, tiny idea to help you build better products.

Solve* all your problems with Promise.allSettled()

Promise.allSettled() is a new API coming to the JavaScript / ES6 standard which can help you more efficiently build node applications that make simultaneous asynchronous API calls

(Note: This post was inspired by a talk from Wes Bos at JAMstack_conf_nyc. Thanks for the tip, Wes!)

Of late, I've found myself building JavaScript web applications with increasing complexity. If you're familiar with modern JavaScript, you've undoubtedly come across Promise - a construct which helps you execute code asynchronously. A Promise  is just what it sounds like: you use them to execute code which will (promise to) return a value at some point in the future:

Check out this somewhat-contrived example, wherein we asynchronously load comments on a blog post:

1
const loadComments = new Promise((resolve, reject) => {
2
// run an asynchronous API call
3
BlogEngine.loadCommentsForPost({ id: '12345' })
4
.then(comments => {
5
// Everything worked! Return this promise with the comments we got back.
6
resolve(comments)
7
})
8
.error(err => {
9
// something went wrong - send the error back
10
reject(new Error(err))
11
})
12
})

There's also an alternative syntax pattern, async / await, which lets you write promises in a more legible, pseudo-serial form:

1
const loadComments = async () => {
2
try {
3
const comments = await BlogEngine.loadCommentsForPost({ id: '12345' })
4
return comments
5
} catch (err) {
6
return new Error(err)
7
}
8
}

Dealing with multiple promises

Inevitably, you'll find yourself in situations where you need to execute multiple promises. Let's start off simply:

1
const postIds = ['1', '2', '3', '4', '5'];
2
postIds.each((id) => {
3
// load the comments for this post
4
const comments = await loadComments(id);
5
6
// then do something with them, like spit them out to the console, for example
7
console.log(`Returned ${comments.length} comments, bru`);
8
})

Easy! A quick loop gets us comments for every post we're interested in. There's a catch here, though - the await  keyword will stop execution of the loop until loadComments  returns for each post. This means we're loading comments for each post sequentially, and not taking advantage of the browser's ability to send off multiple API requests at a time.

The easiest way to send off multiple requests at once is wit Promise.all(). It's a function which takes an array of _Promise_s, and returns an array with the responses from each promise:

1
const postIds = ['1', '2', '3', '4', '5'];
2
const promises = postIds.map(async (id) => {
3
return await loadComments(id);
4
};
5
6
const postComments = Promise.all(promises);
7
8
// postComments will be an Array of results fromj the promises we created:
9
console.log(JSON.postComments);
10
/*
11
[
12
{ post1Comments },
13
{ post2Comments },
14
etc...
15
]

There is one important catch (lol) with Promise.all(). If any of the promises sent to Promise.all() fails or rejects,  everything  fails. From the [MDN Web Docs](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise/all) (emphasis mine):

The Promise.all()  method returns a single Promise  that resolves when all of the promises passed as an iterable have resolved or when the iterable contains no promises. **It rejects with the reason of the first promise that rejects.**

Well damn, it turns out that Promise.all()  is fairly conservative in its execution strategy. If you're unaware of this, it can be pretty dangerous. In the example above, it's not great if loading comments for one post causes the comments for every post not to load, right? Damn.

Enter **Promise.allSettled()** 

Until fairly recently, there wasn't a spectacular answer for scenarios like this. __However__, we will soon have widespread access to Promise.allSettled(), which is currently a Stage 3 proposal in front of the ECMAscript Technical Committee 39, the body in charge of approving and ratifying changes to ECMAscript (aka "JavaScript", for the un-initiated).

You see, Promise.allSettled()  does exactly what we'd like in the example above loading blog comments. Rather than failing if any of the proments handed to it fail, it waits until they all finish executing (until they all "settle", in other words), and returns an array from each:

(this code sample is cribbed from the github proposal - go give it a look for more detail)

1
const promises = [fetch('index.html'), fetch('https://does-not-exist/')]
2
const results = await Promise.allSettled(promises)
3
const successfulPromises = results.filter(p => p.status === 'fulfilled')

Using **Promise.All()** ** now (updated!)**

4/26/19 Update:

Install the core-js package and include this somewhere in your codebase:

1
import 'core-js/proposals/promise-all-settled'

Original post:

Ok, here's the thing - that's the tricky part. I wrote this post thinking it'd be as easy as telling you to use a stage-3 preset in the .babelrc config on your project. As it turns out, as of v7, Babel has stopped publishing stage presets! If that means anything to you, you ought to read their post.

The answer right now is that it's not yet a great idea to use Promise.allSettled(), because it isn't widely supported. To boot, as far as I can tell, there's not a babel config extension which will add support to your projects. At the moment, the best you'll get is a polyfill or an alternative library which implements allSettled().

I know that can be disappointing - be sure that I've got a dozen problems that would be well-served with this new bit of syntax. What I want you to focus on, though, is how amazing it is that JavaScript is continuing to grow. It's exciting and really freaking cool to see that these additions to the language are also being worked on in public. Open Source is such a beautiful thing!

If you're really motivated to use Promise.All()  in your code, you'd do well to contribute to the process in some way. This may be something as small as writing your own polyfill, or giving feedback to the folks involved with tc39, or one of the alternative libraries to use.

Footnote

I'll do my best to keep this post up to date. When allSettled is released, I'll let y'all know. 👍

Hero
Solve* all your problems with Promise.allSettled()

Promise.allSettled() is a new API coming to the JavaScript / ES6 standard which can help you more efficiently build node applications that make simultaneous asynchronous API calls

javascriptdevreact
*It's a flower from a plum tree. Like it?*

SHIP PRODUCTS
THAT MATTER

💌 Tiny Improvements: my weekly newsletter sharing one small yet impactful idea for product builders, startup founders, and indiehackers.

It's your cheat code for building products your customers will love. Learn from the CTO of a Y Combinator-backed startup, with past experience at Google, Stripe, and Microsoft.

    Join the other product builders, and start shipping today!