1
0
Fork 0
mirror of https://github.com/denoland/deno.git synced 2024-11-21 15:04:11 -05:00

fix: reland async context (#25140)

This reverts commit 71ca61e189.

Now uses a shared implementation from deno_core.
This commit is contained in:
snek 2024-08-28 19:25:38 -07:00 committed by GitHub
parent 4f97261a01
commit f7556d8962
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
5 changed files with 153 additions and 292 deletions

View file

@ -148,15 +148,6 @@ fn op_node_build_os() -> String {
env!("TARGET").split('-').nth(2).unwrap().to_string() env!("TARGET").split('-').nth(2).unwrap().to_string()
} }
#[op2(fast)]
fn op_node_is_promise_rejected(value: v8::Local<v8::Value>) -> bool {
let Ok(promise) = v8::Local::<v8::Promise>::try_from(value) else {
return false;
};
promise.state() == v8::PromiseState::Rejected
}
#[op2] #[op2]
#[string] #[string]
fn op_npm_process_state(state: &mut OpState) -> Result<String, AnyError> { fn op_npm_process_state(state: &mut OpState) -> Result<String, AnyError> {
@ -347,7 +338,6 @@ deno_core::extension!(deno_node,
ops::os::op_cpus<P>, ops::os::op_cpus<P>,
ops::os::op_homedir<P>, ops::os::op_homedir<P>,
op_node_build_os, op_node_build_os,
op_node_is_promise_rejected,
op_npm_process_state, op_npm_process_state,
ops::require::op_require_init_paths, ops::require::op_require_init_paths,
ops::require::op_require_node_module_paths<P>, ops::require::op_require_node_module_paths<P>,

View file

@ -10,9 +10,15 @@ import { validateFunction } from "ext:deno_node/internal/validators.mjs";
import { _exiting } from "ext:deno_node/_process/exiting.ts"; import { _exiting } from "ext:deno_node/_process/exiting.ts";
import { FixedQueue } from "ext:deno_node/internal/fixed_queue.ts"; import { FixedQueue } from "ext:deno_node/internal/fixed_queue.ts";
const {
getAsyncContext,
setAsyncContext,
} = core;
interface Tock { interface Tock {
callback: (...args: Array<unknown>) => void; callback: (...args: Array<unknown>) => void;
args: Array<unknown>; args: Array<unknown>;
snapshot: unknown;
} }
let nextTickEnabled = false; let nextTickEnabled = false;
@ -23,7 +29,7 @@ export function enableNextTick() {
const queue = new FixedQueue(); const queue = new FixedQueue();
export function processTicksAndRejections() { export function processTicksAndRejections() {
let tock; let tock: Tock;
do { do {
// deno-lint-ignore no-cond-assign // deno-lint-ignore no-cond-assign
while (tock = queue.shift()) { while (tock = queue.shift()) {
@ -31,9 +37,11 @@ export function processTicksAndRejections() {
// const asyncId = tock[async_id_symbol]; // const asyncId = tock[async_id_symbol];
// emitBefore(asyncId, tock[trigger_async_id_symbol], tock); // emitBefore(asyncId, tock[trigger_async_id_symbol], tock);
const oldContext = getAsyncContext();
try { try {
const callback = (tock as Tock).callback; setAsyncContext(tock.snapshot);
if ((tock as Tock).args === undefined) { const callback = tock.callback;
if (tock.args === undefined) {
callback(); callback();
} else { } else {
const args = (tock as Tock).args; const args = (tock as Tock).args;
@ -58,6 +66,7 @@ export function processTicksAndRejections() {
// FIXME(bartlomieju): Deno currently doesn't support async hooks // FIXME(bartlomieju): Deno currently doesn't support async hooks
// if (destroyHooksExist()) // if (destroyHooksExist())
// emitDestroy(asyncId); // emitDestroy(asyncId);
setAsyncContext(oldContext);
} }
// FIXME(bartlomieju): Deno currently doesn't support async hooks // FIXME(bartlomieju): Deno currently doesn't support async hooks
@ -143,6 +152,7 @@ export function nextTick<T extends Array<unknown>>(
// FIXME(bartlomieju): Deno currently doesn't support async hooks // FIXME(bartlomieju): Deno currently doesn't support async hooks
// [async_id_symbol]: asyncId, // [async_id_symbol]: asyncId,
// [trigger_async_id_symbol]: triggerAsyncId, // [trigger_async_id_symbol]: triggerAsyncId,
snapshot: getAsyncContext(),
callback, callback,
args: args_, args: args_,
}; };

View file

@ -1,191 +1,35 @@
// Copyright 2018-2024 the Deno authors. All rights reserved. MIT license. // Copyright 2018-2024 the Deno authors. All rights reserved. MIT license.
// Copyright Joyent and Node contributors. All rights reserved. MIT license. // Copyright Joyent and Node contributors. All rights reserved. MIT license.
// This implementation is inspired by "workerd" AsyncLocalStorage implementation:
// https://github.com/cloudflare/workerd/blob/77fd0ed6ddba184414f0216508fc62b06e716cab/src/workerd/api/node/async-hooks.c++#L9
// TODO(petamoriken): enable prefer-primordials for node polyfills // TODO(petamoriken): enable prefer-primordials for node polyfills
// deno-lint-ignore-file prefer-primordials // deno-lint-ignore-file prefer-primordials
import { core } from "ext:core/mod.js"; import { core, primordials } from "ext:core/mod.js";
import { op_node_is_promise_rejected } from "ext:core/ops";
import { validateFunction } from "ext:deno_node/internal/validators.mjs"; import { validateFunction } from "ext:deno_node/internal/validators.mjs";
import { newAsyncId } from "ext:deno_node/internal/async_hooks.ts"; import { newAsyncId } from "ext:deno_node/internal/async_hooks.ts";
function assert(cond: boolean) { const {
if (!cond) throw new Error("Assertion failed"); ObjectDefineProperties,
} ReflectApply,
const asyncContextStack: AsyncContextFrame[] = []; FunctionPrototypeBind,
ArrayPrototypeUnshift,
ObjectFreeze,
} = primordials;
function pushAsyncFrame(frame: AsyncContextFrame) { const {
asyncContextStack.push(frame); AsyncVariable,
} getAsyncContext,
setAsyncContext,
function popAsyncFrame() { } = core;
if (asyncContextStack.length > 0) {
asyncContextStack.pop();
}
}
let rootAsyncFrame: AsyncContextFrame | undefined = undefined;
let promiseHooksSet = false;
const asyncContext = Symbol("asyncContext");
function setPromiseHooks() {
if (promiseHooksSet) {
return;
}
promiseHooksSet = true;
const init = (promise: Promise<unknown>) => {
const currentFrame = AsyncContextFrame.current();
if (!currentFrame.isRoot()) {
if (typeof promise[asyncContext] !== "undefined") {
throw new Error("Promise already has async context");
}
AsyncContextFrame.attachContext(promise);
}
};
const before = (promise: Promise<unknown>) => {
const maybeFrame = promise[asyncContext];
if (maybeFrame) {
pushAsyncFrame(maybeFrame);
} else {
pushAsyncFrame(AsyncContextFrame.getRootAsyncContext());
}
};
const after = (promise: Promise<unknown>) => {
popAsyncFrame();
if (!op_node_is_promise_rejected(promise)) {
// @ts-ignore promise async context
promise[asyncContext] = undefined;
}
};
const resolve = (promise: Promise<unknown>) => {
const currentFrame = AsyncContextFrame.current();
if (
!currentFrame.isRoot() && op_node_is_promise_rejected(promise) &&
typeof promise[asyncContext] === "undefined"
) {
AsyncContextFrame.attachContext(promise);
}
};
core.setPromiseHooks(init, before, after, resolve);
}
class AsyncContextFrame {
storage: StorageEntry[];
constructor(
maybeParent?: AsyncContextFrame | null,
maybeStorageEntry?: StorageEntry | null,
isRoot = false,
) {
this.storage = [];
setPromiseHooks();
const propagate = (parent: AsyncContextFrame) => {
parent.storage = parent.storage.filter((entry) => !entry.key.isDead());
parent.storage.forEach((entry) => this.storage.push(entry.clone()));
if (maybeStorageEntry) {
const existingEntry = this.storage.find((entry) =>
entry.key === maybeStorageEntry.key
);
if (existingEntry) {
existingEntry.value = maybeStorageEntry.value;
} else {
this.storage.push(maybeStorageEntry);
}
}
};
if (!isRoot) {
if (maybeParent) {
propagate(maybeParent);
} else {
propagate(AsyncContextFrame.current());
}
}
}
static tryGetContext(promise: Promise<unknown>) {
// @ts-ignore promise async context
return promise[asyncContext];
}
static attachContext(promise: Promise<unknown>) {
// @ts-ignore promise async context
promise[asyncContext] = AsyncContextFrame.current();
}
static getRootAsyncContext() {
if (typeof rootAsyncFrame !== "undefined") {
return rootAsyncFrame;
}
rootAsyncFrame = new AsyncContextFrame(null, null, true);
return rootAsyncFrame;
}
static current() {
if (asyncContextStack.length === 0) {
return AsyncContextFrame.getRootAsyncContext();
}
return asyncContextStack[asyncContextStack.length - 1];
}
static create(
maybeParent?: AsyncContextFrame | null,
maybeStorageEntry?: StorageEntry | null,
) {
return new AsyncContextFrame(maybeParent, maybeStorageEntry);
}
static wrap(
fn: () => unknown,
maybeFrame: AsyncContextFrame | undefined,
// deno-lint-ignore no-explicit-any
thisArg: any,
) {
// deno-lint-ignore no-explicit-any
return (...args: any) => {
const frame = maybeFrame || AsyncContextFrame.current();
Scope.enter(frame);
try {
return fn.apply(thisArg, args);
} finally {
Scope.exit();
}
};
}
get(key: StorageKey) {
assert(!key.isDead());
this.storage = this.storage.filter((entry) => !entry.key.isDead());
const entry = this.storage.find((entry) => entry.key === key);
if (entry) {
return entry.value;
}
return undefined;
}
isRoot() {
return AsyncContextFrame.getRootAsyncContext() == this;
}
}
export class AsyncResource { export class AsyncResource {
frame: AsyncContextFrame;
type: string; type: string;
#snapshot: unknown;
#asyncId: number; #asyncId: number;
constructor(type: string) { constructor(type: string) {
this.type = type; this.type = type;
this.frame = AsyncContextFrame.current(); this.#snapshot = getAsyncContext();
this.#asyncId = newAsyncId(); this.#asyncId = newAsyncId();
} }
@ -198,35 +42,38 @@ export class AsyncResource {
thisArg: unknown, thisArg: unknown,
...args: unknown[] ...args: unknown[]
) { ) {
Scope.enter(this.frame); const previousContext = getAsyncContext();
try { try {
return fn.apply(thisArg, args); setAsyncContext(this.#snapshot);
return ReflectApply(fn, thisArg, args);
} finally { } finally {
Scope.exit(); setAsyncContext(previousContext);
} }
} }
emitDestroy() {} emitDestroy() {}
bind(fn: (...args: unknown[]) => unknown, thisArg = this) { bind(fn: (...args: unknown[]) => unknown, thisArg) {
validateFunction(fn, "fn"); validateFunction(fn, "fn");
const frame = AsyncContextFrame.current(); let bound;
const bound = AsyncContextFrame.wrap(fn, frame, thisArg); if (thisArg === undefined) {
// deno-lint-ignore no-this-alias
Object.defineProperties(bound, { const resource = this;
bound = function (...args) {
ArrayPrototypeUnshift(args, fn, this);
return ReflectApply(resource.runInAsyncScope, resource, args);
};
} else {
bound = FunctionPrototypeBind(this.runInAsyncScope, this, fn, thisArg);
}
ObjectDefineProperties(bound, {
"length": { "length": {
__proto__: null,
configurable: true, configurable: true,
enumerable: false, enumerable: false,
value: fn.length, value: fn.length,
writable: false, writable: false,
}, },
"asyncResource": {
configurable: true,
enumerable: true,
value: this,
writable: true,
},
}); });
return bound; return bound;
} }
@ -236,95 +83,54 @@ export class AsyncResource {
type?: string, type?: string,
thisArg?: AsyncResource, thisArg?: AsyncResource,
) { ) {
type = type || fn.name; type = type || fn.name || "bound-anonymous-fn";
return (new AsyncResource(type || "AsyncResource")).bind(fn, thisArg); return (new AsyncResource(type)).bind(fn, thisArg);
} }
} }
class Scope {
static enter(maybeFrame?: AsyncContextFrame) {
if (maybeFrame) {
pushAsyncFrame(maybeFrame);
} else {
pushAsyncFrame(AsyncContextFrame.getRootAsyncContext());
}
}
static exit() {
popAsyncFrame();
}
}
class StorageEntry {
key: StorageKey;
value: unknown;
constructor(key: StorageKey, value: unknown) {
this.key = key;
this.value = value;
}
clone() {
return new StorageEntry(this.key, this.value);
}
}
class StorageKey {
#dead = false;
reset() {
this.#dead = true;
}
isDead() {
return this.#dead;
}
}
const fnReg = new FinalizationRegistry((key: StorageKey) => {
key.reset();
});
export class AsyncLocalStorage { export class AsyncLocalStorage {
#key; #variable = new AsyncVariable();
enabled = false;
constructor() {
this.#key = new StorageKey();
fnReg.register(this, this.#key);
}
// deno-lint-ignore no-explicit-any // deno-lint-ignore no-explicit-any
run(store: any, callback: any, ...args: any[]): any { run(store: any, callback: any, ...args: any[]): any {
const frame = AsyncContextFrame.create( this.enabled = true;
null, const previous = this.#variable.enter(store);
new StorageEntry(this.#key, store),
);
Scope.enter(frame);
let res;
try { try {
res = callback(...args); return ReflectApply(callback, null, args);
} finally { } finally {
Scope.exit(); setAsyncContext(previous);
} }
return res;
} }
// deno-lint-ignore no-explicit-any // deno-lint-ignore no-explicit-any
exit(callback: (...args: unknown[]) => any, ...args: any[]): any { exit(callback: (...args: unknown[]) => any, ...args: any[]): any {
return this.run(undefined, callback, args); if (!this.enabled) {
return ReflectApply(callback, null, args);
}
this.enabled = false;
try {
return ReflectApply(callback, null, args);
} finally {
this.enabled = true;
}
} }
// deno-lint-ignore no-explicit-any // deno-lint-ignore no-explicit-any
getStore(): any { getStore(): any {
const currentFrame = AsyncContextFrame.current(); if (!this.enabled) {
return currentFrame.get(this.#key); return undefined;
}
return this.#variable.get();
} }
enterWith(store: unknown) { enterWith(store: unknown) {
const frame = AsyncContextFrame.create( this.enabled = true;
null, this.#variable.enter(store);
new StorageEntry(this.#key, store), }
);
Scope.enter(frame); disable() {
this.enabled = false;
} }
static bind(fn: (...args: unknown[]) => unknown) { static bind(fn: (...args: unknown[]) => unknown) {
@ -335,14 +141,24 @@ export class AsyncLocalStorage {
return AsyncLocalStorage.bind(( return AsyncLocalStorage.bind((
cb: (...args: unknown[]) => unknown, cb: (...args: unknown[]) => unknown,
...args: unknown[] ...args: unknown[]
) => cb(...args)); ) => ReflectApply(cb, null, args));
} }
} }
export function executionAsyncId() { export function executionAsyncId() {
return 1; return 0;
} }
export function triggerAsyncId() {
return 0;
}
export function executionAsyncResource() {
return {};
}
export const asyncWrapProviders = ObjectFreeze({ __proto__: null });
class AsyncHook { class AsyncHook {
enable() { enable() {
} }
@ -355,12 +171,12 @@ export function createHook() {
return new AsyncHook(); return new AsyncHook();
} }
// Placing all exports down here because the exported classes won't export
// otherwise.
export default { export default {
// Embedder API
AsyncResource,
executionAsyncId,
createHook,
AsyncLocalStorage, AsyncLocalStorage,
createHook,
executionAsyncId,
triggerAsyncId,
executionAsyncResource,
asyncWrapProviders,
AsyncResource,
}; };

View file

@ -11,6 +11,10 @@ const {
indirectEval, indirectEval,
ReflectApply, ReflectApply,
} = primordials; } = primordials;
const {
getAsyncContext,
setAsyncContext,
} = core;
import * as webidl from "ext:deno_webidl/00_webidl.js"; import * as webidl from "ext:deno_webidl/00_webidl.js";
@ -33,14 +37,16 @@ function checkThis(thisArg) {
* Call a callback function immediately. * Call a callback function immediately.
*/ */
function setImmediate(callback, ...args) { function setImmediate(callback, ...args) {
if (args.length > 0) { const asyncContext = getAsyncContext();
const unboundCallback = callback; return core.queueImmediate(() => {
callback = () => ReflectApply(unboundCallback, globalThis, args); const oldContext = getAsyncContext();
} try {
setAsyncContext(asyncContext);
return core.queueImmediate( return ReflectApply(callback, globalThis, args);
callback, } finally {
); setAsyncContext(oldContext);
}
});
} }
/** /**
@ -53,10 +59,17 @@ function setTimeout(callback, timeout = 0, ...args) {
const unboundCallback = webidl.converters.DOMString(callback); const unboundCallback = webidl.converters.DOMString(callback);
callback = () => indirectEval(unboundCallback); callback = () => indirectEval(unboundCallback);
} }
if (args.length > 0) { const unboundCallback = callback;
const unboundCallback = callback; const asyncContext = getAsyncContext();
callback = () => ReflectApply(unboundCallback, globalThis, args); callback = () => {
} const oldContext = getAsyncContext();
try {
setAsyncContext(asyncContext);
ReflectApply(unboundCallback, globalThis, args);
} finally {
setAsyncContext(oldContext);
}
};
timeout = webidl.converters.long(timeout); timeout = webidl.converters.long(timeout);
return core.queueUserTimer( return core.queueUserTimer(
core.getTimerDepth() + 1, core.getTimerDepth() + 1,
@ -75,10 +88,17 @@ function setInterval(callback, timeout = 0, ...args) {
const unboundCallback = webidl.converters.DOMString(callback); const unboundCallback = webidl.converters.DOMString(callback);
callback = () => indirectEval(unboundCallback); callback = () => indirectEval(unboundCallback);
} }
if (args.length > 0) { const unboundCallback = callback;
const unboundCallback = callback; const asyncContext = getAsyncContext();
callback = () => ReflectApply(unboundCallback, globalThis, args); callback = () => {
} const oldContext = getAsyncContext(asyncContext);
try {
setAsyncContext(asyncContext);
ReflectApply(unboundCallback, globalThis, args);
} finally {
setAsyncContext(oldContext);
}
};
timeout = webidl.converters.long(timeout); timeout = webidl.converters.long(timeout);
return core.queueUserTimer( return core.queueUserTimer(
core.getTimerDepth() + 1, core.getTimerDepth() + 1,

View file

@ -1,5 +1,7 @@
// Copyright 2018-2024 the Deno authors. All rights reserved. MIT license. // Copyright 2018-2024 the Deno authors. All rights reserved. MIT license.
import { AsyncLocalStorage, AsyncResource } from "node:async_hooks"; import { AsyncLocalStorage, AsyncResource } from "node:async_hooks";
import process from "node:process";
import { setImmediate } from "node:timers";
import { assert, assertEquals } from "@std/assert"; import { assert, assertEquals } from "@std/assert";
Deno.test(async function foo() { Deno.test(async function foo() {
@ -92,7 +94,7 @@ Deno.test(async function enterWith() {
}); });
assertEquals(await deferred.promise, { x: 2 }); assertEquals(await deferred.promise, { x: 2 });
assertEquals(await deferred1.promise, { x: 1 }); assertEquals(await deferred1.promise, null);
}); });
Deno.test(async function snapshot() { Deno.test(async function snapshot() {
@ -135,3 +137,26 @@ Deno.test(function emitDestroyStub() {
const resource = new AsyncResource("foo"); const resource = new AsyncResource("foo");
assert(typeof resource.emitDestroy === "function"); assert(typeof resource.emitDestroy === "function");
}); });
Deno.test(async function worksWithAsyncAPIs() {
const store = new AsyncLocalStorage();
const test = () => assertEquals(store.getStore(), "data");
await store.run("data", async () => {
test();
queueMicrotask(() => test());
process.nextTick(() => test());
setImmediate(() => test());
setTimeout(() => test(), 0);
const intervalId = setInterval(() => {
test();
clearInterval(intervalId);
}, 0);
store.run("data2", () => {
assertEquals(store.getStore(), "data2");
});
await new Promise((r) => setTimeout(r, 50));
test();
});
});