Skip to content
Advertisement

Why do I lose stack trace when using async-await in Node.js?

When I run the following program

JavaScript

I get the following output which prints the stack through the various invoked functions

JavaScript

However when the error is thrown after the await call in the following program

JavaScript

This is the output

JavaScript

I’d like to understand why the stack trace is lost in the second case but not in the first.

Advertisement

Answer

Because in the first code, everything up until the Error is on the same tick of the event loop.

Before an asynchronous callback, the one from setTimeout, can enter the call stack (The stack trace is built from it), the call stack must be empty.

So since the first code runs everything synchronous until the Error call, all those calls are in the call stack. But on the second approach, the Error is called after awaiting a setTimeout call. When the setTimeout is done. The event loop puts the callback back into the stack, for this, the call stack must be empty.

So now, you don’t have functionTwo & functionThree on the call stack, that’s why they don’t appear.

The stack trace is the state of the stack when the error ocurred.

Here’s a rough interpretation of what happens with the stack in both codes:

First Code

JavaScript

Second Code

JavaScript

I recommend watching this video to understand how all of this works:

What the heck is the event loop anyway by Philip Roberts


On Node 14+ you can use --async-stack-traces flag to have an improved stack trace when working with asynchronous code. There are some limitations like only working with async/await and not promises.

You can read a little bit more about this at https://v8.dev/blog/fast-async

Advertisement