Skip to content

Commit 3db6fdf

Browse files
docs: [no-await-in-loop] expand on benefits and inapplicability (#19211)
* fix up existing docs * additions * tweak * lol js * Update docs/src/rules/no-await-in-loop.md Co-authored-by: Francesco Trotta <[email protected]> * could -> should * code formatting Co-authored-by: Francesco Trotta <[email protected]> * node -> Node --------- Co-authored-by: Francesco Trotta <[email protected]>
1 parent 67d683d commit 3db6fdf

File tree

1 file changed

+93
-18
lines changed

1 file changed

+93
-18
lines changed

docs/src/rules/no-await-in-loop.md

+93-18
Original file line numberDiff line numberDiff line change
@@ -5,35 +5,67 @@ rule_type: problem
55

66

77
Performing an operation on each element of an iterable is a common task. However, performing an
8-
`await` as part of each operation is an indication that the program is not taking full advantage of
8+
`await` as part of each operation may indicate that the program is not taking full advantage of
99
the parallelization benefits of `async`/`await`.
1010

11-
Usually, the code should be refactored to create all the promises at once, then get access to the
12-
results using `Promise.all()`. Otherwise, each successive operation will not start until the
11+
Often, the code can be refactored to create all the promises at once, then get access to the
12+
results using `Promise.all()` (or one of the other [promise concurrency methods](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise#promise_concurrency)). Otherwise, each successive operation will not start until the
1313
previous one has completed.
1414

15-
Concretely, the following function should be refactored as shown:
15+
Concretely, the following function could be refactored as shown:
1616

1717
```js
1818
async function foo(things) {
1919
const results = [];
2020
for (const thing of things) {
2121
// Bad: each loop iteration is delayed until the entire asynchronous operation completes
22-
results.push(await bar(thing));
22+
results.push(await doAsyncWork(thing));
2323
}
24-
return baz(results);
24+
return results;
2525
}
2626
```
2727

2828
```js
2929
async function foo(things) {
30-
const results = [];
30+
const promises = [];
3131
for (const thing of things) {
3232
// Good: all asynchronous operations are immediately started.
33-
results.push(bar(thing));
33+
promises.push(doAsyncWork(thing));
3434
}
3535
// Now that all the asynchronous operations are running, here we wait until they all complete.
36-
return baz(await Promise.all(results));
36+
const results = await Promise.all(promises);
37+
return results;
38+
}
39+
```
40+
41+
This can be beneficial for subtle error-handling reasons as well. Given an array of promises that might reject,
42+
sequential awaiting puts the program at risk of unhandled promise rejections. The exact behavior of unhandled
43+
rejections depends on the environment running your code, but they are generally considered harmful regardless.
44+
In Node.js, for example, [unhandled rejections cause a program to terminate](https://nodejs.org/api/cli.html#--unhandled-rejectionsmode) unless configured otherwise.
45+
46+
```js
47+
async function foo() {
48+
const arrayOfPromises = somethingThatCreatesAnArrayOfPromises();
49+
for (const promise of arrayOfPromises) {
50+
// Bad: if any of the promises reject, an exception is thrown, and
51+
// subsequent loop iterations will not run. Therefore, rejections later
52+
// in the array will become unhandled rejections that cannot be caught
53+
// by a caller.
54+
const value = await promise;
55+
console.log(value);
56+
}
57+
}
58+
```
59+
60+
```js
61+
async function foo() {
62+
const arrayOfPromises = somethingThatCreatesAnArrayOfPromises();
63+
// Good: Any rejections will cause a single exception to be thrown here,
64+
// which may be caught and handled by the caller.
65+
const arrayOfValues = await Promise.all(arrayOfPromises);
66+
for (const value of arrayOfValues) {
67+
console.log(value);
68+
}
3769
}
3870
```
3971

@@ -51,13 +83,14 @@ Examples of **correct** code for this rule:
5183
/*eslint no-await-in-loop: "error"*/
5284

5385
async function foo(things) {
54-
const results = [];
86+
const promises = [];
5587
for (const thing of things) {
5688
// Good: all asynchronous operations are immediately started.
57-
results.push(bar(thing));
89+
promises.push(doAsyncWork(thing));
5890
}
5991
// Now that all the asynchronous operations are running, here we wait until they all complete.
60-
return baz(await Promise.all(results));
92+
const results = await Promise.all(promises);
93+
return results;
6194
}
6295
```
6396

@@ -74,18 +107,60 @@ async function foo(things) {
74107
const results = [];
75108
for (const thing of things) {
76109
// Bad: each loop iteration is delayed until the entire asynchronous operation completes
77-
results.push(await bar(thing));
110+
results.push(await doAsyncWork(thing));
78111
}
79-
return baz(results);
112+
return results;
80113
}
81114
```
82115

83116
:::
84117

85118
## When Not To Use It
86119

87-
In many cases the iterations of a loop are not actually independent of each-other. For example, the
88-
output of one iteration might be used as the input to another. Or, loops may be used to retry
89-
asynchronous operations that were unsuccessful. Or, loops may be used to prevent your code from sending
90-
an excessive amount of requests in parallel. In such cases it makes sense to use `await` within a
120+
In many cases the iterations of a loop are not actually independent of each other, and awaiting in
121+
the loop is correct. As a few examples:
122+
123+
* The output of one iteration might be used as the input to another.
124+
125+
```js
126+
async function loopIterationsDependOnEachOther() {
127+
let previousResult = null;
128+
for (let i = 0; i < 10; i++) {
129+
const result = await doSomething(i, previousResult);
130+
if (someCondition(result, previousResult)) {
131+
break;
132+
} else {
133+
previousResult = result;
134+
}
135+
}
136+
}
137+
```
138+
139+
* Loops may be used to retry asynchronous operations that were unsuccessful.
140+
141+
```js
142+
async function retryUpTo10Times() {
143+
for (let i = 0; i < 10; i++) {
144+
const wasSuccessful = await tryToDoSomething();
145+
if (wasSuccessful)
146+
return 'succeeded!';
147+
// wait to try again.
148+
await new Promise(resolve => setTimeout(resolve, 1000));
149+
}
150+
return 'failed!';
151+
}
152+
```
153+
154+
* Loops may be used to prevent your code from sending an excessive amount of requests in parallel.
155+
156+
```js
157+
async function makeUpdatesToRateLimitedApi(thingsToUpdate) {
158+
// we'll exceed our rate limit if we make all the network calls in parallel.
159+
for (const thing of thingsToUpdate) {
160+
await updateThingWithRateLimitedApi(thing);
161+
}
162+
}
163+
```
164+
165+
In such cases it makes sense to use `await` within a
91166
loop and it is recommended to disable the rule via a standard ESLint disable comment.

0 commit comments

Comments
 (0)