Search the reference...
/
BuildDocsReferenceGuidesBlogDiscord/node:async_hooksCAsyncLocalStorageCAsyncResourceNasyncWrapProvidersFcreateHookFexecutionAsyncIdFexecutionAsyncResourceFtriggerAsyncIdNode.js module
async_hooksThe 'node:async_hooks' module provides hooks to track the lifecycle of asynchronous resources in Node.js—init, before, after, and destroy—for tasks like promises, timers, callbacks, and I/O operations.It's useful for keeping state across async callbacks, measuring performance, or building custom logging and tracing tools in your application.Works in BunAsyncLocalStorage and AsyncResource are implemented. However, v8 promise hooks required for broader compatibility are not called.
namespace asyncWrapProvidersconst CHECKPRIMEREQUEST: numberconst CIPHERREQUEST: numberconst DERIVEBITSREQUEST: numberconst DIRHANDLE: numberconst DNSCHANNEL: numberconst ELDHISTOGRAM: numberconst FILEHANDLE: numberconst FILEHANDLECLOSEREQ: numberconst FIXEDSIZEBLOBCOPY: numberconst FSEVENTWRAP: numberconst FSREQCALLBACK: numberconst FSREQPROMISE: numberconst GETADDRINFOREQWRAP: numberconst GETNAMEINFOREQWRAP: numberconst HASHREQUEST: numberconst HEAPSNAPSHOT: numberconst HTTP2PING: numberconst HTTP2SESSION: numberconst HTTP2SETTINGS: numberconst HTTP2STREAM: numberconst HTTPCLIENTREQUEST: numberconst HTTPINCOMINGMESSAGE: numberconst JSSTREAM: numberconst JSUDPWRAP: numberconst KEYEXPORTREQUEST: numberconst KEYGENREQUEST: numberconst KEYPAIRGENREQUEST: numberconst MESSAGEPORT: numberconst NONE: numberconst PBKDF2REQUEST: numberconst PIPECONNECTWRAP: numberconst PIPESERVERWRAP: numberconst PIPEWRAP: numberconst PROCESSWRAP: numberconst PROMISE: numberconst QUERYWRAP: numberconst RANDOMBYTESREQUEST: numberconst RANDOMPRIMEREQUEST: numberconst SCRYPTREQUEST: numberconst SHUTDOWNWRAP: numberconst SIGINTWATCHDOG: numberconst SIGNALWRAP: numberconst SIGNREQUEST: numberconst STATWATCHER: numberconst STREAMPIPE: numberconst TCPCONNECTWRAP: numberconst TCPSERVERWRAP: numberconst TCPWRAP: numberconst TLSWRAP: numberconst TTYWRAP: numberconst UDPSENDWRAP: numberconst UDPWRAP: numberconst VERIFYREQUEST: numberconst WORKER: numberconst WORKERHEAPSNAPSHOT: numberconst WRITEWRAP: numberconst ZLIB: number { asyncLocalStorage.run(idSeq++, () => { logWithId('start'); // Imagine any chain of async operations here setImmediate(() => { logWithId('finish'); res.end(); }); }); }).listen(8080); http.get('http://localhost:8080'); http.get('http://localhost:8080'); // Prints: // 0: start // 0: finish // 1: start // 1: finish ``` Each instance of `AsyncLocalStorage` maintains an independent storage context. Multiple instances can safely exist simultaneously without risk of interfering with each other's data." data-algolia-static="false" data-algolia-merged="false" data-type="Class">class AsyncLocalStorageT>This class creates stores that stay coherent through asynchronous operations.While you can create your own implementation on top of the node:async_hooks module, AsyncLocalStorage should be preferred as it is a performant and memory safe implementation that involves significant optimizations that are non-obvious to implement.The following example uses AsyncLocalStorage to build a simple logger that assigns IDs to incoming HTTP requests and includes them in messages logged within each request.import http from 'node:http'; import { AsyncLocalStorage } from 'node:async_hooks'; const asyncLocalStorage = new AsyncLocalStorage(); function logWithId(msg) { const id = asyncLocalStorage.getStore(); console.log(`${id !== undefined ? id : '-'}:`, msg); } let idSeq = 0; http.createServer((req, res) => { asyncLocalStorage.run(idSeq++, () => { logWithId('start'); // Imagine any chain of async operations here setImmediate(() => { logWithId('finish'); res.end(); }); }); }).listen(8080); http.get('http://localhost:8080'); http.get('http://localhost:8080'); // Prints: // 0: start // 0: finish // 1: start // 1: finish Each instance of AsyncLocalStorage maintains an independent storage context. Multiple instances can safely exist simultaneously without risk of interfering with each other's data.readonly name: stringThe name of the AsyncLocalStorage instance if provided.disable(): void;Disables the instance of AsyncLocalStorage. All subsequent calls to asyncLocalStorage.getStore() will return undefined until asyncLocalStorage.run() or asyncLocalStorage.enterWith() is called again.When calling asyncLocalStorage.disable(), all current contexts linked to the instance will be exited.Calling asyncLocalStorage.disable() is required before the asyncLocalStorage can be garbage collected. This does not apply to stores provided by the asyncLocalStorage, as those objects are garbage collected along with the corresponding async resources.Use this method when the asyncLocalStorage is not in use anymore in the current process. { asyncLocalStorage.getStore(); // Returns the same object }); ``` This transition will continue for the _entire_ synchronous execution. This means that if, for example, the context is entered within an event handler subsequent event handlers will also run within that context unless specifically bound to another context with an `AsyncResource`. That is why `run()` should be preferred over `enterWith()` unless there are strong reasons to use the latter method. ```js const store = { id: 1 }; emitter.on('my-event', () => { asyncLocalStorage.enterWith(store); }); emitter.on('my-event', () => { asyncLocalStorage.getStore(); // Returns the same object }); asyncLocalStorage.getStore(); // Returns undefined emitter.emit('my-event'); asyncLocalStorage.getStore(); // Returns the same object ```" data-algolia-static="false" data-algolia-merged="false" data-type="Method">enterWith(store: T): void;Transitions into the context for the remainder of the current synchronous execution and then persists the store through any following asynchronous calls.Example:const store = { id: 1 }; // Replaces previous store with the given store object asyncLocalStorage.enterWith(store); asyncLocalStorage.getStore(); // Returns the store object someAsyncOperation(() => { asyncLocalStorage.getStore(); // Returns the same object }); This transition will continue for the entire synchronous execution. This means that if, for example, the context is entered within an event handler subsequent event handlers will also run within that context unless specifically bound to another context with an AsyncResource. That is why run() should be preferred over enterWith() unless there are strong reasons to use the latter method.const store = { id: 1 }; emitter.on('my-event', () => { asyncLocalStorage.enterWith(store); }); emitter.on('my-event', () => { asyncLocalStorage.getStore(); // Returns the same object }); asyncLocalStorage.getStore(); // Returns undefined emitter.emit('my-event'); asyncLocalStorage.getStore(); // Returns the same object { asyncLocalStorage.getStore(); // Returns undefined throw new Error(); }); } catch (e) { asyncLocalStorage.getStore(); // Returns the same object or value // The error will be caught here } ```" data-algolia-static="false" data-algolia-merged="false" data-type="Method">exitR, TArgs extends any[]>(callback: (...args: TArgs) => R,...args: TArgs): R;Runs a function synchronously outside of a context and returns its return value. The store is not accessible within the callback function or the asynchronous operations created within the callback. Any getStore() call done within the callback function will always return undefined.The optional args are passed to the callback function.If the callback function throws an error, the error is thrown by exit() too. The stacktrace is not impacted by this call and the context is re-entered.Example:// Within a call to run try { asyncLocalStorage.getStore(); // Returns the store object or value asyncLocalStorage.exit(() => { asyncLocalStorage.getStore(); // Returns undefined throw new Error(); }); } catch (e) { asyncLocalStorage.getStore(); // Returns the same object or value // The error will be caught here } getStore(): undefined | T;Returns the current store. If called outside of an asynchronous context initialized by calling asyncLocalStorage.run() or asyncLocalStorage.enterWith(), it returns undefined. { asyncLocalStorage.getStore(); // Returns the store object setTimeout(() => { asyncLocalStorage.getStore(); // Returns the store object }, 200); throw new Error(); }); } catch (e) { asyncLocalStorage.getStore(); // Returns undefined // The error will be caught here } ```" data-algolia-static="false" data-algolia-merged="false" data-type="Method">runR>(store: T,callback: () => R): R;Runs a function synchronously within a context and returns its return value. The store is not accessible outside of the callback function. The store is accessible to any asynchronous operations created within the callback.The optional args are passed to the callback function.If the callback function throws an error, the error is thrown by run() too. The stacktrace is not impacted by this call and the context is exited.Example:const store = { id: 2 }; try { asyncLocalStorage.run(store, () => { asyncLocalStorage.getStore(); // Returns the store object setTimeout(() => { asyncLocalStorage.getStore(); // Returns the store object }, 200); throw new Error(); }); } catch (e) { asyncLocalStorage.getStore(); // Returns undefined // The error will be caught here } runR, TArgs extends any[]>(store: T,callback: (...args: TArgs) => R,...args: TArgs): R;Runs a function synchronously within a context and returns its return value. The store is not accessible outside of the callback function. The store is accessible to any asynchronous operations created within the callback.The optional args are passed to the callback function.If the callback function throws an error, the error is thrown by run() too. The stacktrace is not impacted by this call and the context is exited.Example:const store = { id: 2 }; try { asyncLocalStorage.run(store, () => { asyncLocalStorage.getStore(); // Returns the store object setTimeout(() => { asyncLocalStorage.getStore(); // Returns the store object }, 200); throw new Error(); }); } catch (e) { asyncLocalStorage.getStore(); // Returns undefined // The error will be caught here } static bindFunc extends (...args: any[]) => any>(fn: Func): Func;Binds the given function to the current execution context.@param fnThe function to bind to the current execution context.@returnsA new function that calls fn within the captured execution context. AsyncLocalStorage.snapshot()); const result = asyncLocalStorage.run(321, () => runInAsyncScope(() => asyncLocalStorage.getStore())); console.log(result); // returns 123 ``` AsyncLocalStorage.snapshot() can replace the use of AsyncResource for simple async context tracking purposes, for example: ```js class Foo { #runInAsyncScope = AsyncLocalStorage.snapshot(); get() { return this.#runInAsyncScope(() => asyncLocalStorage.getStore()); } } const foo = asyncLocalStorage.run(123, () => new Foo()); console.log(asyncLocalStorage.run(321, () => foo.get())); // returns 123 ```" data-algolia-static="true" data-algolia-merged="false" data-type="Method">static snapshot(): (fn: (...args: TArgs) => R, ...args: TArgs) => R;Captures the current execution context and returns a function that accepts a function as an argument. Whenever the returned function is called, it calls the function passed to it within the captured context.const asyncLocalStorage = new AsyncLocalStorage(); const runInAsyncScope = asyncLocalStorage.run(123, () => AsyncLocalStorage.snapshot()); const result = asyncLocalStorage.run(321, () => runInAsyncScope(() => asyncLocalStorage.getStore())); console.log(result); // returns 123 AsyncLocalStorage.snapshot() can replace the use of AsyncResource for simple async context tracking purposes, for example:class Foo { #runInAsyncScope = AsyncLocalStorage.snapshot(); get() { return this.#runInAsyncScope(() => asyncLocalStorage.getStore()); } } const foo = asyncLocalStorage.run(123, () => new Foo()); console.log(asyncLocalStorage.run(321, () => foo.get())); // returns 123 @returnsA new function with the signature (fn: (...args) : R, ...args) : R.class AsyncResourceThe class AsyncResource is designed to be extended by the embedder's async resources. Using this, users can easily trigger the lifetime events of their own resources.The init hook will trigger when an AsyncResource is instantiated.The following is an overview of the AsyncResource API.import { AsyncResource, executionAsyncId } from 'node:async_hooks'; // AsyncResource() is meant to be extended. Instantiating a // new AsyncResource() also triggers init. If triggerAsyncId is omitted then // async_hook.executionAsyncId() is used. const asyncResource = new AsyncResource( type, { triggerAsyncId: executionAsyncId(), requireManualDestroy: false }, ); // Run a function in the execution context of the resource. This will // * establish the context of the resource // * trigger the AsyncHooks before callbacks // * call the provided function `fn` with the supplied arguments // * trigger the AsyncHooks after callbacks // * restore the original execution context asyncResource.runInAsyncScope(fn, thisArg, ...args); // Call AsyncHooks destroy callbacks. asyncResource.emitDestroy(); // Return the unique ID assigned to the AsyncResource instance. asyncResource.asyncId(); // Return the trigger ID for the AsyncResource instance. asyncResource.triggerAsyncId(); asyncId(): number;@returnsThe unique asyncId assigned to the resource.bindFunc extends (...args: any[]) => any>(fn: Func): Func;Binds the given function to execute to this AsyncResource's scope.@param fnThe function to bind to the current AsyncResource.emitDestroy(): this;Call all destroy hooks. This should only ever be called once. An error will be thrown if it is called more than once. This must be manually called. If the resource is left to be collected by the GC then the destroy hooks will never be called.@returnsA reference to asyncResource.runInAsyncScopeThis, Result>(fn: (this: This, ...args: any[]) => Result,thisArg?: This,...args: any[]): Result;Call the provided function with the provided arguments in the execution context of the async resource. This will establish the context, trigger the AsyncHooks before callbacks, call the function, trigger the AsyncHooks after callbacks, and then restore the original execution context.@param fnThe function to call in the execution context of this async resource.@param thisArgThe receiver to be used for the function call.@param argsOptional arguments to pass to the function.triggerAsyncId(): number;@returnsThe same triggerAsyncId that is passed to the AsyncResource constructor.static bindFunc extends (this: ThisArg, ...args: any[]) => any, ThisArg>(fn: Func,type?: string,thisArg?: ThisArg): Func;Binds the given function to the current execution context.@param fnThe function to bind to the current execution context.@param typeAn optional name to associate with the underlying AsyncResource.function createHook(callbacks: HookCallbacks): AsyncHook;Registers functions to be called for different lifetime events of each async operation.The callbacks init()/before()/after()/destroy() are called for the respective asynchronous event during a resource's lifetime.All callbacks are optional. For example, if only resource cleanup needs to be tracked, then only the destroy callback needs to be passed. The specifics of all functions that can be passed to callbacks is in the Hook Callbacks section.import { createHook } from 'node:async_hooks'; const asyncHook = createHook({ init(asyncId, type, triggerAsyncId, resource) { }, destroy(asyncId) { }, }); The callbacks will be inherited via the prototype chain:class MyAsyncCallbacks { init(asyncId, type, triggerAsyncId, resource) { } destroy(asyncId) {} } class MyAddedCallbacks extends MyAsyncCallbacks { before(asyncId) { } after(asyncId) { } } const asyncHook = async_hooks.createHook(new MyAddedCallbacks()); Because promises are asynchronous resources whose lifecycle is tracked via the async hooks mechanism, the init(), before(), after(), anddestroy() callbacks must not be async functions that return promises.@param callbacksThe Hook Callbacks to register@returnsInstance used for disabling and enabling hooks { console.log(executionAsyncId()); // 6 - open() }); ``` The ID returned from `executionAsyncId()` is related to execution timing, not causality (which is covered by `triggerAsyncId()`): ```js const server = net.createServer((conn) => { // Returns the ID of the server, not of the new connection, because the // callback runs in the execution scope of the server's MakeCallback(). async_hooks.executionAsyncId(); }).listen(port, () => { // Returns the ID of a TickObject (process.nextTick()) because all // callbacks passed to .listen() are wrapped in a nextTick(). async_hooks.executionAsyncId(); }); ``` Promise contexts may not get precise `executionAsyncIds` by default. See the section on [promise execution tracking](https://nodejs.org/docs/latest-v25.x/api/async_hooks.html#promise-execution-tracking)." data-algolia-static="false" data-algolia-merged="false" data-type="Function">function executionAsyncId(): number;import { executionAsyncId } from 'node:async_hooks'; import fs from 'node:fs'; console.log(executionAsyncId()); // 1 - bootstrap const path = '.'; fs.open(path, 'r', (err, fd) => { console.log(executionAsyncId()); // 6 - open() }); The ID returned from executionAsyncId() is related to execution timing, not causality (which is covered by triggerAsyncId()):const server = net.createServer((conn) => { // Returns the ID of the server, not of the new connection, because the // callback runs in the execution scope of the server's MakeCallback(). async_hooks.executionAsyncId(); }).listen(port, () => { // Returns the ID of a TickObject (process.nextTick()) because all // callbacks passed to .listen() are wrapped in a nextTick(). async_hooks.executionAsyncId(); }); Promise contexts may not get precise executionAsyncIds by default. See the section on promise execution tracking.@returnsThe asyncId of the current execution context. Useful to track when something calls. { console.log(executionAsyncId(), executionAsyncResource()); // 7 FSReqWrap }); ``` This can be used to implement continuation local storage without the use of a tracking `Map` to store the metadata: ```js import { createServer } from 'node:http'; import { executionAsyncId, executionAsyncResource, createHook, } from 'node:async_hooks'; const sym = Symbol('state'); // Private symbol to avoid pollution createHook({ init(asyncId, type, triggerAsyncId, resource) { const cr = executionAsyncResource(); if (cr) { resource[sym] = cr[sym]; } }, }).enable(); const server = createServer((req, res) => { executionAsyncResource()[sym] = { state: req.url }; setTimeout(function() { res.end(JSON.stringify(executionAsyncResource()[sym])); }, 100); }).listen(3000); ```" data-algolia-static="false" data-algolia-merged="false" data-type="Function">function executionAsyncResource(): object;Resource objects returned by executionAsyncResource() are most often internal Node.js handle objects with undocumented APIs. Using any functions or properties on the object is likely to crash your application and should be avoided.Using executionAsyncResource() in the top-level execution context will return an empty object as there is no handle or request object to use, but having an object representing the top-level can be helpful.import { open } from 'node:fs'; import { executionAsyncId, executionAsyncResource } from 'node:async_hooks'; console.log(executionAsyncId(), executionAsyncResource()); // 1 {} open(new URL(import.meta.url), 'r', (err, fd) => { console.log(executionAsyncId(), executionAsyncResource()); // 7 FSReqWrap }); This can be used to implement continuation local storage without the use of a tracking Map to store the metadata:import { createServer } from 'node:http'; import { executionAsyncId, executionAsyncResource, createHook, } from 'node:async_hooks'; const sym = Symbol('state'); // Private symbol to avoid pollution createHook({ init(asyncId, type, triggerAsyncId, resource) { const cr = executionAsyncResource(); if (cr) { resource[sym] = cr[sym]; } }, }).enable(); const server = createServer((req, res) => { executionAsyncResource()[sym] = { state: req.url }; setTimeout(function() { res.end(JSON.stringify(executionAsyncResource()[sym])); }, 100); }).listen(3000); @returnsThe resource representing the current execution. Useful to store data within the resource. { // The resource that caused (or triggered) this callback to be called // was that of the new connection. Thus the return value of triggerAsyncId() // is the asyncId of "conn". async_hooks.triggerAsyncId(); }).listen(port, () => { // Even though all callbacks passed to .listen() are wrapped in a nextTick() // the callback itself exists because the call to the server's .listen() // was made. So the return value would be the ID of the server. async_hooks.triggerAsyncId(); }); ``` Promise contexts may not get valid `triggerAsyncId`s by default. See the section on [promise execution tracking](https://nodejs.org/docs/latest-v25.x/api/async_hooks.html#promise-execution-tracking)." data-algolia-static="false" data-algolia-merged="false" data-type="Function">function triggerAsyncId(): number;const server = net.createServer((conn) => { // The resource that caused (or triggered) this callback to be called // was that of the new connection. Thus the return value of triggerAsyncId() // is the asyncId of "conn". async_hooks.triggerAsyncId(); }).listen(port, () => { // Even though all callbacks passed to .listen() are wrapped in a nextTick() // the callback itself exists because the call to the server's .listen() // was made. So the return value would be the ID of the server. async_hooks.triggerAsyncId(); }); Promise contexts may not get valid triggerAsyncIds by default. See the section on promise execution tracking.@returnsThe ID of the resource responsible for calling the callback that is currently being executed.Type definitionsinterface AsyncHookdisable(): this;Disable the callbacks for a given AsyncHook instance from the global pool of AsyncHook callbacks to be executed. Once a hook has been disabled it will not be called again until enabled.enable(): this;Enable the callbacks for a given AsyncHook instance. If no callbacks are provided enabling is a noop.interface AsyncLocalStorageOptionsdefaultValue?: anyThe default value to be used when no store is provided.name?: stringA name for the AsyncLocalStorage value.interface AsyncResourceOptionsrequireManualDestroy?: booleanDisables automatic emitDestroy when the object is garbage collected. This usually does not need to be set (even if emitDestroy is called manually), unless the resource's asyncId is retrieved and the sensitive API's emitDestroy is called with it.triggerAsyncId?: numberThe ID of the execution context that created this async event.interface HookCallbacksafter(asyncId: number): void;Called immediately after the callback specified in before is completed.If an uncaught exception occurs during execution of the callback, then after will run after the 'uncaughtException' event is emitted or a domain's handler runs.@param asyncIdthe unique identifier assigned to the resource which has executed the callback.before(asyncId: number): void;When an asynchronous operation is initiated or completes a callback is called to notify the user. The before callback is called just before said callback is executed.@param asyncIdthe unique identifier assigned to the resource about to execute the callback.destroy(asyncId: number): void;Called after the resource corresponding to asyncId is destroyed@param asyncIda unique ID for the async resourceinit(asyncId: number,type: string,triggerAsyncId: number,resource: object): void;Called when a class is constructed that has the possibility to emit an asynchronous event.@param asyncIdA unique ID for the async resource@param typeThe type of the async resource@param triggerAsyncIdThe unique ID of the async resource in whose execution context this async resource was created@param resourceReference to the resource representing the async operation, needs to be released during destroypromiseResolve(asyncId: number): void;Called when a promise has resolve() called. This may not be in the same execution id as the promise itself.@param asyncIdthe unique id for the promise that was resolve()d.Resources
ReferenceDocsGuidesDiscordMerch StoreGitHubBlogToolkit
RuntimePackage managerTest runnerBundlerPackage runnerProject
Bun 1.0Bun 1.1Bun 1.2Bun 1.3RoadmapContributingLicenseBaked with ❤️ in San FranciscoWe're hiring →智能索引记录
-
2026-03-02 10:31:15
综合导航
成功
标题:春节的的趣事作文600字3篇(必备)
简介:无论是身处学校还是步入社会,大家都有写作文的经历,对作文很是熟悉吧,借助作文人们可以实现文化交流的目的。还是对作文一筹莫
-
2026-03-02 21:32:30
游戏娱乐
成功
标题:汽艇挑战赛,汽艇挑战赛小游戏,4399小游戏 www.4399.com
简介:汽艇挑战赛在线玩,汽艇挑战赛下载, 汽艇挑战赛攻略秘籍.更多汽艇挑战赛游戏尽在4399小游戏,好玩记得告诉你的朋友哦!
-
2026-03-02 12:15:25
综合导航
成功
标题:USA.jobs
简介:USA.jobs Looking for jobs in the USA? Join USA.jobs to creat
-
2026-03-02 17:28:03
游戏娱乐
成功
标题:圣诞老人学跳舞,圣诞老人学跳舞小游戏,4399小游戏 www.4399.com
简介:圣诞老人学跳舞在线玩,圣诞老人学跳舞下载, 圣诞老人学跳舞攻略秘籍.更多圣诞老人学跳舞游戏尽在4399小游戏,好玩记得告
-
2026-03-02 18:51:49
新闻资讯
成功
标题:accabpp2012教材排行榜 - 京东
简介:京东JD.COM为您提供accabpp2012教材销量排行榜、accabpp2012教材哪个好、accabpp2012教
-
2026-03-02 18:52:46
综合导航
成功
标题:我靠情报系统养活国家免费八零最新章节_第28章 林安动了第1页_我靠情报系统养活国家免费八零免费章节_恋上你看书网
简介:第28章 林安动了第1页_我靠情报系统养活国家免费八零_雾海_恋上你看书网
-
2026-03-02 22:10:04
游戏娱乐
成功
标题:《毁灭战士3》“完美”MOD上线 解决大量平衡问题_3DM单机
简介:《毁灭战士3》的玩家们可以欢呼了,MOD制作者VGames公布了一款《毁灭战士3》的“完美”MOD,将游戏彻底翻新,带来
-
2026-03-02 21:50:29
综合导航
成功
标题:我的世界地下城烙火属性一览_烙火掉落地点分享_3DM单机
简介:《我的世界:地下城》中的烙火是一种独特武器,铸造于烈焰锻造厂的最深处,附魔着火焰的力量,下边就给大家带来“hyflyin
-
2026-03-02 21:31:27
综合导航
成功
标题:萌狐逆天之上神甩不掉最新章节_057 明天带你去看一场好戏第1页_萌狐逆天之上神甩不掉免费章节_恋上你看书网
简介:057 明天带你去看一场好戏第1页_萌狐逆天之上神甩不掉_读云_恋上你看书网
-
2026-03-02 21:42:19
综合导航
成功
标题:æç½çæ¼é³_æç½çææ_æç½çç¹ä½_è¯ç»ç½
简介:è¯ç»ç½æç½é¢é,ä»ç»æç½,æç½çæ¼é³,æç½æ¯
-
2026-03-02 21:52:04
综合导航
成功
标题:晴天怎么读最新章节_晴天怎么读全文免费阅读_恋上你看书网
简介:因为一段无理头的大冒险告白,所以林知晴给顾念辰的感觉总结起来就是两个字——白痴,相当的精辟、简洁,是的,林知晴本人也觉得
-
2026-03-02 22:11:29
综合导航
成功
标题:李白宠妻录txt完整版最新章节_第42章 情不极兮意已深十第1页_李白宠妻录txt完整版免费阅读_恋上你看书网
简介:第42章 情不极兮意已深十第1页_李白宠妻录txt完整版_欲话生平_恋上你看书网
-
2026-03-02 22:10:59
综合导航
成功
标题:剑指苍穹张家界最新章节_第48章 中丹田的妙用第1页_剑指苍穹张家界免费章节_恋上你看书网
简介:第48章 中丹田的妙用第1页_剑指苍穹张家界_泪竹_恋上你看书网
-
2026-03-02 21:07:46
电商商城
成功
标题:日韩风格简易鞋柜价格怎么样 - 京东
简介:京东是专业的日韩风格简易鞋柜价格网上购物商城,为您提供日韩风格简易鞋柜价格价格图片信息、日韩风格简易鞋柜价格怎么样的用户
-
2026-03-02 10:31:02
综合导航
成功
标题:Blondie: A Girl On the Streets - Build Thread
简介:Hey! I
-
2026-03-02 17:08:07
综合导航
成功
标题:Supercycle Begins? Fidelity’s 2026 Cryptocurrency Market Outlook Bee Network
简介:Original Compilation: Nicky, Foresight News TL;DR: Investors
-
2026-03-02 21:10:43
游戏娱乐
成功
标题:朵拉的天马冒险,朵拉的天马冒险小游戏,4399小游戏 www.4399.com
简介:朵拉的天马冒险在线玩,朵拉的天马冒险下载, 朵拉的天马冒险攻略秘籍.更多朵拉的天马冒险游戏尽在4399小游戏,好玩记得告
-
2026-03-02 22:03:57
综合导航
成功
标题:Ice Cream Inc. - Play Ice Cream Inc. Game Online Free
简介:Play Ice Cream Inc. game online for free on YAD. The game is
-
2026-03-02 18:24:00
综合导航
成功
标题:母亲节的由来,母亲节有哪些节日活动 - 节日风俗 - 34楼
简介:在岁月的长河中,有一个节日,它承载着人类最真挚、最温暖的情感,那就是母亲节。这个以歌颂母爱为主题的节日,不仅有着深厚的历
-
2026-03-02 17:35:15
综合导航
成功
标题:åæçæ¼é³_åæçææ_åæçç¹ä½_è¯ç»ç½
简介:è¯ç»ç½åæé¢é,ä»ç»åæ,åæçæ¼é³,åææ¯
-
2026-03-02 18:14:31
综合导航
成功
标题:WTS begleitet Adcuram bei Carve-Out aus der MEA Group WTS Deutschland
简介:WTS hat die Industrieholding Adcuram bei einem Carve-Out ste
-
2026-03-02 12:11:02
综合导航
成功
标题:二年级作文300字合集(3篇)
简介:在我们平凡的日常里,大家总免不了要接触或使用作文吧,借助作文人们可以实现文化交流的目的。怎么写作文才能避免踩雷呢?下面是
-
2026-03-02 18:52:43
综合导航
成功
标题:美丽的螺旋线绘本图最新章节_第087章 逢场作戏蹭人脉第1页_美丽的螺旋线绘本图免费章节_恋上你看书网
简介:第087章 逢场作戏蹭人脉第1页_美丽的螺旋线绘本图_陈国正强_恋上你看书网
-
2026-03-02 17:58:01
综合导航
成功
标题:Only One in Ten Prediction Markets Will Survive to Year-End, Not an Exaggeration Bee Network
简介:Author|Azuma (@azuma_eth) There has been a lot of discussio
-
2026-03-02 22:09:49
综合导航
成功
标题:Why Ezekiel Elliott will win Rookie of the Year
简介:Sam Monson breaks down the near-unstoppable ground game the
-
2026-03-02 17:15:30
综合导航
成功
标题:Crier. World English Historical Dictionary
简介:Crier. World English Historical Dictionary
-
2026-03-02 18:48:51
视频影音
成功
标题:重生后拒当药人白月光悔断肠第30集红豆剧场_在线播放[高清流畅]_爽文短剧
简介:爽文短剧_重生后拒当药人白月光悔断肠剧情介绍:重生后拒当药人白月光悔断肠是由内详执导,内详等人主演的,于2025年上映,
-
2026-03-02 22:15:33
综合导航
成功
标题:Tallman Dunk Rush - Play The Free Game Online
简介:Tallman Dunk Rush - click to play online. Tallman Dunk Rush
-
2026-03-02 22:14:02
综合导航
成功
标题:HLSR 50-P/SP39 HLSR オープンループ・ホール効果
简介:HLSR 50-P/SP39シリーズのHLSRを、具体的な測定値とともにご覧ください。主な技術的特徴を確認し、データシー
-
2026-03-02 18:48:26
教育培训
成功
标题:考ACCA好吗?就业前景如何?-高顿教育
简介:在当今就业市场的大背景下,不少大学生正在摒弃以前仅仅依赖文凭的观念,而努力寻找更多的就业机会。考ACCA不仅可以让视野变