Then and catch methods in Javascript - Time & Space Complexity
When using then and catch methods with promises, it's important to understand how the time to complete grows as the number of chained operations increases.
We want to know how the number of steps affects the total time the program takes.
Analyze the time complexity of chaining multiple then and catch calls.
const promise = new Promise((resolve) => resolve(1));
promise
.then(value => value + 1)
.then(value => value * 2)
.then(value => console.log(value))
.catch(error => console.error(error));
This code creates a promise and chains several then methods to process the result, ending with a catch to handle errors.
Look for repeated steps that happen as the chain grows.
- Primary operation: Each
thenorcatchcallback runs once per chain link. - How many times: The number of chained
thenorcatchcalls determines how many callbacks run in sequence.
As you add more then or catch calls, the total steps increase linearly.
| Number of chained calls (n) | Approx. Operations |
|---|---|
| 3 | 3 callbacks run in order |
| 10 | 10 callbacks run one after another |
| 100 | 100 callbacks run sequentially |
Pattern observation: The total work grows directly with the number of chained calls.
Time Complexity: O(n)
This means the time to complete grows in a straight line as you add more then or catch methods.
[X] Wrong: "Adding more then calls doesn't affect performance much because they run instantly."
[OK] Correct: Each then callback runs in order, so more calls mean more steps, which takes more time overall.
Understanding how promise chains grow helps you write efficient asynchronous code and explain your reasoning clearly in interviews.
What if we replaced the chained then calls with parallel Promise.all? How would the time complexity change?