Async Context for JavaScript
Status: Stage 2
Champions:
- Chengzhong Wu (@legendecas)
- Justin Ridgewell (@jridgewell)
Motivation
When writing synchronous JavaScript code, a reasonable expectation from developers is that values are consistently available over the life of the synchronous execution. These values may be passed explicitly (i.e., as parameters to the function or some nested function, or as a closed over variable), or implicitly (extracted from the call stack, e.g., outside the scope as a external object that the function or nested function has access to).
function program() {
const value = { key: 123 };
// Explicitly pass the value to function via parameters.
// The value is available for the full execution of the function.
explicit(value);
// Explicitly captured by the closure.
// The value is available for as long as the closure exists.
const closure = () => {
assert.equal(value.key, 123);
};
// Implicitly propagated via shared reference to an external variable.
// The value is available as long as the shared reference is set.
// In this case, for as long as the synchronous execution of the
// try-finally code.
try {
shared = value;
implicit();
} finally {
shared = undefined;
}
}
function explicit(value) {
assert.equal(value.key, 123);
}
let shared;
function implicit() {
assert.equal(shared.key, 123);
}
program();
Async/await syntax improved in ergonomics of writing asynchronous JS. It allows
developers to think of asynchronous code in terms of synchronous code. The
behavior of the event loop executing the code remains the same as in a promise
chain. However, passing code through the event loop loses implicit information
from the call site because we end up replacing the call stack. In the case of
async/await syntax, the loss of implicit call site information becomes invisible
due to the visual similarity to synchronous code -- the only indicator of a
barrier is the await
keyword. As a result, code that "just works" in
synchronous JS has unexpected behavior in asynchronous JS while appearing almost
exactly the same.
function program() {
const value = { key: 123 };
// Implicitly propagated via shared reference to an external variable.
// The value is only available only for the _synchronous execution_ of
// the try-finally code.
try {
shared = value;
implicit();
} finally {
shared = undefined;
}
}
let shared;
async function implicit() {
// The shared reference is still set to the correct value.
assert.equal(shared.key, 123);
await 1;
// After awaiting, the shared reference has been reset to `undefined`.
// We've lost access to our original value.
assert.throws(() => {
assert.equal(shared.key, 123);
});
}
program();
The above problem existed already in promise callback-style code, but the introduction of async/await syntax has aggravated it by making the stack replacement almost undetectable. This problem is not generally solvable with user land code alone. For instance, if the call stack has already been replaced by the time the function is called, that function will never have a chance to capture the shared reference.
function program() {
const value = { key: 123 };
// Implicitly propagated via shared reference to an external variable.
// The value is only available only for the _synchronous execution_ of
// the try-finally code.
try {
shared = value;
setTimeout(implicit, 0);
} finally {
shared = undefined;
}
}
let shared;
function implicit() {
// By the time this code is executed, the shared reference has already
// been reset. There is no way for `indirect` to solve this because
// because the bug is caused (accidentally) by the `program` function.
assert.throws(() => {
assert.equal(shared.key, 123);
});
}
program();
This proposal introduces a general mechanism by which lost implicit call site information can be captured and used across transitions through the event loop, while allowing the developer to write async code largely as they do in cases without implicit information. The goal is to reduce the mental burden currently required for special handling async code in such cases.
Summary
This proposal introduces APIs to propagate a value through asynchronous code, such as a promise continuation or async callbacks.
Non-goals:
- Async tasks scheduling and interception.
- Error handling & bubbling through async stacks.
Proposed Solution
AsyncContext
are designed as a value store for context propagation across
logically-connected sync/async code execution.
namespace AsyncContext {
class Variable<T> {
constructor(options: AsyncVariableOptions<T>);
get name(): string;
run<R>(value: T, fn: (...args: any[])=> R, ...args: any[]): R;
get(): T | undefined;
}
interface AsyncVariableOptions<T> {
name?: string;
defaultValue?: T;
}
class Snapshot {
constructor();
run<R>(fn: (...args: any[]) => R, ...args: any[]): R;
}
}
Variable.prototype.run()
and Variable.prototype.get()
sets and gets
the current value of an async execution flow. Snapshot
allows you
to opaquely capture the current value of all Variable
s and execute a
function at a later time with as if those values were still the current values
(a snapshot and restore). Note that even with Snapshot
, you can
only access the value associated with an Variable
instance if you have
access to that instance.
const asyncVar = new AsyncContext.Variable();
// Sets the current value to 'top', and executes the `main` function.
asyncVar.run("top", main);
function main() {
// AsyncContext.Variable is maintained through other platform queueing.
setTimeout(() => {
console.log(asyncVar.get()); // => 'top'
asyncVar.run("A", () => {
console.log(asyncVar.get()); // => 'A'
setTimeout(() => {
console.log(asyncVar.get()); // => 'A'
}, randomTimeout());
});
}, randomTimeout());
// AsyncContext.Variable runs can be nested.
asyncVar.run("B", () => {
console.log(asyncVar.get()); // => 'B'
setTimeout(() => {
console.log(asyncVar.get()); // => 'B'
}, randomTimeout());
});
// AsyncContext.Variable was restored after the previous run.
console.log(asyncVar.get()); // => 'top'
// Captures the state of all AsyncContext.Variable's at this moment.
const snapshotDuringTop = new AsyncContext.Snapshot();
asyncVar.run("C", () => {
console.log(asyncVar.get()); // => 'C'
// The snapshotDuringTop will restore all AsyncContext.Variable to their snapshot
// state and invoke the wrapped function. We pass a function which it will
// invoke.
snapshotDuringTop.run(() => {
// Despite being lexically nested inside 'C', the snapshot restored us to
// to the 'top' state.
console.log(asyncVar.get()); // => 'top'
});
});
}
function randomTimeout() {
return Math.random() * 1000;
}
Snapshot
is useful for implementing APIs that logically "schedule" a
callback, so the callback will be called with the context that it logically
belongs to, regardless of the context under which it actually runs:
let queue = [];
export function enqueueCallback(cb: () => void) {
// Each callback is stored with the context at which it was enqueued.
const snapshot = new AsyncContext.Snapshot();
queue.push(() => snapshot.run(cb));
}
runWhenIdle(() => {
// All callbacks in the queue would be run with the current context if they
// hadn't been wrapped.
for (const cb of queue) {
cb();
}
queue = [];
});
Note: There are controversial thought on the dynamic scoping and
Variable
, checkout SCOPING.md for more details.
Use cases
Use cases for async context include:
-
Annotating logs with information related to an asynchronous callstack.
-
Collecting performance information across logical asynchronous threads of control.
-
Web APIs such as Prioritized Task Scheduling.
-
There are a number of use cases for browsers to track the attribution of tasks in the event loop, even though an asynchronous callstack. They include:
-
Optimizing the loading of critical resources in web pages requires tracking whether a task is transitively depended on by a critical resource.
-
Tracking long tasks effectively with the Long Tasks API requires being able to tell where a task was spawned from.
-
Measuring the performance of SPA soft navigations requires being able to tell which task initiated a particular soft navigation.
-
Hosts are expected to use the infrastructure in this proposal to allow tracking
not only asynchronous callstacks, but other ways to schedule jobs on the event
loop (such as setTimeout
) to maximize the value of these use cases.
A detailed example usecase can be found here
Examples
Determine the initiator of a task
Application monitoring tools like OpenTelemetry save their tracing spans in the
AsyncContext.Variable
and retrieve the span when they need to determine what started
this chain of interaction.
These libraries can not intrude the developer APIs for seamless monitoring. The tracing span doesn't need to be manually passing around by usercodes.
// tracer.js
const asyncVar = new AsyncContext.Variable();
export function run(cb) {
// (a)
const span = {
startTime: Date.now(),
traceId: randomUUID(),
spanId: randomUUID(),
};
asyncVar.run(span, cb);
}
export function end() {
// (b)
const span = asyncVar.get();
span?.endTime = Date.now();
}
// my-app.js
import * as tracer from "./tracer.js";
button.onclick = (e) => {
// (1)
tracer.run(() => {
fetch("https://example.com").then((res) => {
// (2)
return processBody(res.body).then((data) => {
// (3)
const dialog = html`<dialog>
Here's some cool data: ${data} <button>OK, cool</button>
</dialog>`;
dialog.show();
tracer.end();
});
});
});
};
In the example above, run
and end
don't share same lexical scope with actual
code functions, and they are capable of async reentrance thus capable of
concurrent multi-tracking.
Transitive task attribution
User tasks can be scheduled with attributions. With AsyncContext.Variable
, task
attributions are propagated in the async task flow and sub-tasks can be
scheduled with the same priority.
const scheduler = {
asyncVar: new AsyncContext.Variable(),
postTask(task, options) {
// In practice, the task execution may be deferred.
// Here we simply run the task immediately.
return this.asyncVar.run({ priority: options.priority }, task);
},
currentTask() {
return this.asyncVar.get() ?? { priority: "default" };
},
};
const res = await scheduler.postTask(task, { priority: "background" });
console.log(res);
async function task() {
// Fetch remains background priority by referring to scheduler.currentPriority().
const resp = await fetch("/hello");
const text = await resp.text();
scheduler.currentTask(); // => { priority: 'background' }
return doStuffs(text);
}
async function doStuffs(text) {
// Some async calculation...
return text;
}
Prior Arts
zones.js
Zones proposed a Zone
object, which has the following API:
class Zone {
constructor({ name, parent });
name;
get parent();
fork({ name });
run(callback);
wrap(callback);
static get current();
}
The concept of the current zone, reified as Zone.current
, is crucial. Both
run
and wrap
are designed to manage running the current zone:
z.run(callback)
will set the current zone toz
for the duration ofcallback
, resetting it to its previous value afterward. This is how you "enter" a zone.z.wrap(callback)
produces a new function that essentially performsz.run(callback)
(passing along arguments and this, of course).
The current zone is the async context that propagates with all our operations.
In our above example, sites (1)
through (6)
would all have the same value of
Zone.current
. If a developer had done something like:
const loadZone = Zone.current.fork({ name: "loading zone" });
window.onload = loadZone.wrap(e => { ... });
then at all those sites, Zone.current
would be equal to loadZone
.
domain
module
Node.js Domain's global central active domain can be consumed by multiple endpoints and
be exchanged in any time with synchronous operation (domain.enter()
). Since it
is possible that some third party module changed active domain on the fly and
application owner may unaware of such change, this can introduce unexpected
implicit behavior and made domain diagnosis hard.
Check out Domain Module Postmortem for more details.
async_hooks
Node.js This is what the proposal evolved from. async_hooks
in Node.js enabled async
resources tracking for APM vendors. On which Node.js also implemented
AsyncLocalStorage
.
Chrome Async Stack Tagging API
Frameworks can schedule tasks with their own userland queues. In such case, the stack trace originated from the framework scheduling logic tells only part of the story.
Error: Call stack
at someTask (example.js)
at loop (framework.js)
The Chrome Async Stack Tagging API introduces a new console method named
console.createTask()
. The API signature is as follows:
interface Console {
createTask(name: string): Task;
}
interface Task {
run<T>(f: () => T): T;
}
console.createTask()
snapshots the call stack into a Task
record. And each
Task.run()
restores the saved call stack and append it to newly generated call
stacks.
Error: Call stack
at someTask (example.js)
at loop (framework.js) // <- Task.run
at async someTask // <- Async stack appended
at schedule (framework.js) // <- console.createTask
at businessLogic (example.js)