You have promises. You need to wait. Wait for them all
TL;DR: Don't block yourself in a sorted way.
Problems
Indeterminism
Performance bottleneck
Solutions
- Wait for all promises at once.
Context
We heard about semaphores while studying Operating Systems.
We should wait until all conditions are met no matter the ordering.
Sample Code
Wrong
async fetchOne() { /* long task */ }
async fetchTwo() { /* another long task */ }
async fetchAll() {
let res1 = await this.fetchOne();
let res2 = await this.fetchTwo();
// they can run in parallel !!
}
Right
async fetchOne() { /* long task */ }
async fetchTwo() { /* another long task */ }
async fetchAll() {
let [res3, res4] = await Promise.all([this.fetchOne(), this.fetchTwo()]);
//We wait until ALL are done
}
Detection
[X] Semi-Automatic
This is a semantic smell.
We can tell our linters to find some patterns related to promises waiting.
Tags
- Performance
Conclusion
We need to be as close as possible to [real-world]((https://dev.to/mcsee/what-is-wrong-with-software-5pa) business rules.
If the rule states we need to wait for ALL operations, we should not force a particular order.
Credits
Thanks for the idea
Photo by Alvin Mahmudov on Unsplash
JavaScript is the only language that I'm aware of that people feel they don't need to learn before they start using it.
Douglas Crockford
Software Engineering Great Quotes
Maxi Contieri ・ Dec 28 '20
This article is part of the CodeSmell Series.
Top comments (2)
Promise.allSettled()
could prove to be a good alternative toPromise.all
in some cases 🤓indeed. i'll add it to the article