{ "type": "module", "source": "doc/api/async_hooks.md", "modules": [ { "textRaw": "Async hooks", "name": "async_hooks", "introduced_in": "v8.1.0", "stability": 1, "stabilityText": "Experimental", "desc": "

Source Code: lib/async_hooks.js

\n

The async_hooks module provides an API to track asynchronous resources. It\ncan be accessed using:

\n
const async_hooks = require('async_hooks');\n
", "modules": [ { "textRaw": "Terminology", "name": "terminology", "desc": "

An asynchronous resource represents an object with an associated callback.\nThis callback may be called multiple times, for example, the 'connection'\nevent in net.createServer(), or just a single time like in fs.open().\nA resource can also be closed before the callback is called. AsyncHook does\nnot explicitly distinguish between these different cases but will represent them\nas the abstract concept that is a resource.

\n

If Workers are used, each thread has an independent async_hooks\ninterface, and each thread will use a new set of async IDs.

", "type": "module", "displayName": "Terminology" }, { "textRaw": "Public API", "name": "public_api", "modules": [ { "textRaw": "Overview", "name": "overview", "desc": "

Following is a simple overview of the public API.

\n
const async_hooks = require('async_hooks');\n\n// Return the ID of the current execution context.\nconst eid = async_hooks.executionAsyncId();\n\n// Return the ID of the handle responsible for triggering the callback of the\n// current execution scope to call.\nconst tid = async_hooks.triggerAsyncId();\n\n// Create a new AsyncHook instance. All of these callbacks are optional.\nconst asyncHook =\n    async_hooks.createHook({ init, before, after, destroy, promiseResolve });\n\n// Allow callbacks of this AsyncHook instance to call. This is not an implicit\n// action after running the constructor, and must be explicitly run to begin\n// executing callbacks.\nasyncHook.enable();\n\n// Disable listening for new asynchronous events.\nasyncHook.disable();\n\n//\n// The following are the callbacks that can be passed to createHook().\n//\n\n// init is called during object construction. The resource may not have\n// completed construction when this callback runs, therefore all fields of the\n// resource referenced by \"asyncId\" may not have been populated.\nfunction init(asyncId, type, triggerAsyncId, resource) { }\n\n// Before is called just before the resource's callback is called. It can be\n// called 0-N times for handles (e.g. TCPWrap), and will be called exactly 1\n// time for requests (e.g. FSReqCallback).\nfunction before(asyncId) { }\n\n// After is called just after the resource's callback has finished.\nfunction after(asyncId) { }\n\n// Destroy is called when the resource is destroyed.\nfunction destroy(asyncId) { }\n\n// promiseResolve is called only for promise resources, when the\n// `resolve` function passed to the `Promise` constructor is invoked\n// (either directly or through other means of resolving a promise).\nfunction promiseResolve(asyncId) { }\n
", "methods": [ { "textRaw": "`async_hooks.createHook(callbacks)`", "type": "method", "name": "createHook", "meta": { "added": [ "v8.1.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {AsyncHook} Instance used for disabling and enabling hooks", "name": "return", "type": "AsyncHook", "desc": "Instance used for disabling and enabling hooks" }, "params": [ { "textRaw": "`callbacks` {Object} The [Hook Callbacks][] to register", "name": "callbacks", "type": "Object", "desc": "The [Hook Callbacks][] to register", "options": [ { "textRaw": "`init` {Function} The [`init` callback][].", "name": "init", "type": "Function", "desc": "The [`init` callback][]." }, { "textRaw": "`before` {Function} The [`before` callback][].", "name": "before", "type": "Function", "desc": "The [`before` callback][]." }, { "textRaw": "`after` {Function} The [`after` callback][].", "name": "after", "type": "Function", "desc": "The [`after` callback][]." }, { "textRaw": "`destroy` {Function} The [`destroy` callback][].", "name": "destroy", "type": "Function", "desc": "The [`destroy` callback][]." }, { "textRaw": "`promiseResolve` {Function} The [`promiseResolve` callback][].", "name": "promiseResolve", "type": "Function", "desc": "The [`promiseResolve` callback][]." } ] } ] } ], "desc": "

Registers functions to be called for different lifetime events of each async\noperation.

\n

The callbacks init()/before()/after()/destroy() are called for the\nrespective asynchronous event during a resource's lifetime.

\n

All callbacks are optional. For example, if only resource cleanup needs to\nbe tracked, then only the destroy callback needs to be passed. The\nspecifics of all functions that can be passed to callbacks is in the\nHook Callbacks section.

\n
const async_hooks = require('async_hooks');\n\nconst asyncHook = async_hooks.createHook({\n  init(asyncId, type, triggerAsyncId, resource) { },\n  destroy(asyncId) { }\n});\n
\n

The callbacks will be inherited via the prototype chain:

\n
class MyAsyncCallbacks {\n  init(asyncId, type, triggerAsyncId, resource) { }\n  destroy(asyncId) {}\n}\n\nclass MyAddedCallbacks extends MyAsyncCallbacks {\n  before(asyncId) { }\n  after(asyncId) { }\n}\n\nconst asyncHook = async_hooks.createHook(new MyAddedCallbacks());\n
", "modules": [ { "textRaw": "Error handling", "name": "error_handling", "desc": "

If any AsyncHook callbacks throw, the application will print the stack trace\nand exit. The exit path does follow that of an uncaught exception, but\nall 'uncaughtException' listeners are removed, thus forcing the process to\nexit. The 'exit' callbacks will still be called unless the application is run\nwith --abort-on-uncaught-exception, in which case a stack trace will be\nprinted and the application exits, leaving a core file.

\n

The reason for this error handling behavior is that these callbacks are running\nat potentially volatile points in an object's lifetime, for example during\nclass construction and destruction. Because of this, it is deemed necessary to\nbring down the process quickly in order to prevent an unintentional abort in the\nfuture. This is subject to change in the future if a comprehensive analysis is\nperformed to ensure an exception can follow the normal control flow without\nunintentional side effects.

", "type": "module", "displayName": "Error handling" }, { "textRaw": "Printing in AsyncHooks callbacks", "name": "printing_in_asynchooks_callbacks", "desc": "

Because printing to the console is an asynchronous operation, console.log()\nwill cause the AsyncHooks callbacks to be called. Using console.log() or\nsimilar asynchronous operations inside an AsyncHooks callback function will thus\ncause an infinite recursion. An easy solution to this when debugging is to use a\nsynchronous logging operation such as fs.writeFileSync(file, msg, flag).\nThis will print to the file and will not invoke AsyncHooks recursively because\nit is synchronous.

\n
const fs = require('fs');\nconst util = require('util');\n\nfunction debug(...args) {\n  // Use a function like this one when debugging inside an AsyncHooks callback\n  fs.writeFileSync('log.out', `${util.format(...args)}\\n`, { flag: 'a' });\n}\n
\n

If an asynchronous operation is needed for logging, it is possible to keep\ntrack of what caused the asynchronous operation using the information\nprovided by AsyncHooks itself. The logging should then be skipped when\nit was the logging itself that caused AsyncHooks callback to call. By\ndoing this the otherwise infinite recursion is broken.

", "type": "module", "displayName": "Printing in AsyncHooks callbacks" } ] } ], "type": "module", "displayName": "Overview" } ], "classes": [ { "textRaw": "Class: `AsyncHook`", "type": "class", "name": "AsyncHook", "desc": "

The class AsyncHook exposes an interface for tracking lifetime events\nof asynchronous operations.

", "methods": [ { "textRaw": "`asyncHook.enable()`", "type": "method", "name": "enable", "signatures": [ { "return": { "textRaw": "Returns: {AsyncHook} A reference to `asyncHook`.", "name": "return", "type": "AsyncHook", "desc": "A reference to `asyncHook`." }, "params": [] } ], "desc": "

Enable the callbacks for a given AsyncHook instance. If no callbacks are\nprovided enabling is a noop.

\n

The AsyncHook instance is disabled by default. If the AsyncHook instance\nshould be enabled immediately after creation, the following pattern can be used.

\n
const async_hooks = require('async_hooks');\n\nconst hook = async_hooks.createHook(callbacks).enable();\n
" }, { "textRaw": "`asyncHook.disable()`", "type": "method", "name": "disable", "signatures": [ { "return": { "textRaw": "Returns: {AsyncHook} A reference to `asyncHook`.", "name": "return", "type": "AsyncHook", "desc": "A reference to `asyncHook`." }, "params": [] } ], "desc": "

Disable the callbacks for a given AsyncHook instance from the global pool of\nAsyncHook callbacks to be executed. Once a hook has been disabled it will not\nbe called again until enabled.

\n

For API consistency disable() also returns the AsyncHook instance.

" }, { "textRaw": "`async_hooks.executionAsyncResource()`", "type": "method", "name": "executionAsyncResource", "meta": { "added": [ "v13.9.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {Object} The resource representing the current execution. Useful to store data within the resource.", "name": "return", "type": "Object", "desc": "The resource representing the current execution. Useful to store data within the resource." }, "params": [] } ], "desc": "

Resource objects returned by executionAsyncResource() are most often internal\nNode.js handle objects with undocumented APIs. Using any functions or properties\non the object is likely to crash your application and should be avoided.

\n

Using executionAsyncResource() in the top-level execution context will\nreturn an empty object as there is no handle or request object to use,\nbut having an object representing the top-level can be helpful.

\n
const { open } = require('fs');\nconst { executionAsyncId, executionAsyncResource } = require('async_hooks');\n\nconsole.log(executionAsyncId(), executionAsyncResource());  // 1 {}\nopen(__filename, 'r', (err, fd) => {\n  console.log(executionAsyncId(), executionAsyncResource());  // 7 FSReqWrap\n});\n
\n

This can be used to implement continuation local storage without the\nuse of a tracking Map to store the metadata:

\n
const { createServer } = require('http');\nconst {\n  executionAsyncId,\n  executionAsyncResource,\n  createHook\n} = require('async_hooks');\nconst sym = Symbol('state'); // Private symbol to avoid pollution\n\ncreateHook({\n  init(asyncId, type, triggerAsyncId, resource) {\n    const cr = executionAsyncResource();\n    if (cr) {\n      resource[sym] = cr[sym];\n    }\n  }\n}).enable();\n\nconst server = createServer((req, res) => {\n  executionAsyncResource()[sym] = { state: req.url };\n  setTimeout(function() {\n    res.end(JSON.stringify(executionAsyncResource()[sym]));\n  }, 100);\n}).listen(3000);\n
" }, { "textRaw": "`async_hooks.executionAsyncId()`", "type": "method", "name": "executionAsyncId", "meta": { "added": [ "v8.1.0" ], "changes": [ { "version": "v8.2.0", "pr-url": "https://github.com/nodejs/node/pull/13490", "description": "Renamed from `currentId`" } ] }, "signatures": [ { "return": { "textRaw": "Returns: {number} The `asyncId` of the current execution context. Useful to track when something calls.", "name": "return", "type": "number", "desc": "The `asyncId` of the current execution context. Useful to track when something calls." }, "params": [] } ], "desc": "
const async_hooks = require('async_hooks');\n\nconsole.log(async_hooks.executionAsyncId());  // 1 - bootstrap\nfs.open(path, 'r', (err, fd) => {\n  console.log(async_hooks.executionAsyncId());  // 6 - open()\n});\n
\n

The ID returned from executionAsyncId() is related to execution timing, not\ncausality (which is covered by triggerAsyncId()):

\n
const server = net.createServer((conn) => {\n  // Returns the ID of the server, not of the new connection, because the\n  // callback runs in the execution scope of the server's MakeCallback().\n  async_hooks.executionAsyncId();\n\n}).listen(port, () => {\n  // Returns the ID of a TickObject (i.e. process.nextTick()) because all\n  // callbacks passed to .listen() are wrapped in a nextTick().\n  async_hooks.executionAsyncId();\n});\n
\n

Promise contexts may not get precise executionAsyncIds by default.\nSee the section on promise execution tracking.

" }, { "textRaw": "`async_hooks.triggerAsyncId()`", "type": "method", "name": "triggerAsyncId", "signatures": [ { "return": { "textRaw": "Returns: {number} The ID of the resource responsible for calling the callback that is currently being executed.", "name": "return", "type": "number", "desc": "The ID of the resource responsible for calling the callback that is currently being executed." }, "params": [] } ], "desc": "
const server = net.createServer((conn) => {\n  // The resource that caused (or triggered) this callback to be called\n  // was that of the new connection. Thus the return value of triggerAsyncId()\n  // is the asyncId of \"conn\".\n  async_hooks.triggerAsyncId();\n\n}).listen(port, () => {\n  // Even though all callbacks passed to .listen() are wrapped in a nextTick()\n  // the callback itself exists because the call to the server's .listen()\n  // was made. So the return value would be the ID of the server.\n  async_hooks.triggerAsyncId();\n});\n
\n

Promise contexts may not get valid triggerAsyncIds by default. See\nthe section on promise execution tracking.

" } ], "modules": [ { "textRaw": "Hook callbacks", "name": "hook_callbacks", "desc": "

Key events in the lifetime of asynchronous events have been categorized into\nfour areas: instantiation, before/after the callback is called, and when the\ninstance is destroyed.

", "methods": [ { "textRaw": "`init(asyncId, type, triggerAsyncId, resource)`", "type": "method", "name": "init", "signatures": [ { "params": [ { "textRaw": "`asyncId` {number} A unique ID for the async resource.", "name": "asyncId", "type": "number", "desc": "A unique ID for the async resource." }, { "textRaw": "`type` {string} The type of the async resource.", "name": "type", "type": "string", "desc": "The type of the async resource." }, { "textRaw": "`triggerAsyncId` {number} The unique ID of the async resource in whose execution context this async resource was created.", "name": "triggerAsyncId", "type": "number", "desc": "The unique ID of the async resource in whose execution context this async resource was created." }, { "textRaw": "`resource` {Object} Reference to the resource representing the async operation, needs to be released during _destroy_.", "name": "resource", "type": "Object", "desc": "Reference to the resource representing the async operation, needs to be released during _destroy_." } ] } ], "desc": "

Called when a class is constructed that has the possibility to emit an\nasynchronous event. This does not mean the instance must call\nbefore/after before destroy is called, only that the possibility\nexists.

\n

This behavior can be observed by doing something like opening a resource then\nclosing it before the resource can be used. The following snippet demonstrates\nthis.

\n
require('net').createServer().listen(function() { this.close(); });\n// OR\nclearTimeout(setTimeout(() => {}, 10));\n
\n

Every new resource is assigned an ID that is unique within the scope of the\ncurrent Node.js instance.

", "modules": [ { "textRaw": "`type`", "name": "`type`", "desc": "

The type is a string identifying the type of resource that caused\ninit to be called. Generally, it will correspond to the name of the\nresource's constructor.

\n
FSEVENTWRAP, FSREQCALLBACK, GETADDRINFOREQWRAP, GETNAMEINFOREQWRAP, HTTPINCOMINGMESSAGE,\nHTTPCLIENTREQUEST, JSSTREAM, PIPECONNECTWRAP, PIPEWRAP, PROCESSWRAP, QUERYWRAP,\nSHUTDOWNWRAP, SIGNALWRAP, STATWATCHER, TCPCONNECTWRAP, TCPSERVERWRAP, TCPWRAP,\nTTYWRAP, UDPSENDWRAP, UDPWRAP, WRITEWRAP, ZLIB, SSLCONNECTION, PBKDF2REQUEST,\nRANDOMBYTESREQUEST, TLSWRAP, Microtask, Timeout, Immediate, TickObject\n
\n

There is also the PROMISE resource type, which is used to track Promise\ninstances and asynchronous work scheduled by them.

\n

Users are able to define their own type when using the public embedder API.

\n

It is possible to have type name collisions. Embedders are encouraged to use\nunique prefixes, such as the npm package name, to prevent collisions when\nlistening to the hooks.

", "type": "module", "displayName": "`type`" }, { "textRaw": "`triggerAsyncId`", "name": "`triggerasyncid`", "desc": "

triggerAsyncId is the asyncId of the resource that caused (or \"triggered\")\nthe new resource to initialize and that caused init to call. This is different\nfrom async_hooks.executionAsyncId() that only shows when a resource was\ncreated, while triggerAsyncId shows why a resource was created.

\n

The following is a simple demonstration of triggerAsyncId:

\n
async_hooks.createHook({\n  init(asyncId, type, triggerAsyncId) {\n    const eid = async_hooks.executionAsyncId();\n    fs.writeSync(\n      1, `${type}(${asyncId}): trigger: ${triggerAsyncId} execution: ${eid}\\n`);\n  }\n}).enable();\n\nrequire('net').createServer((conn) => {}).listen(8080);\n
\n

Output when hitting the server with nc localhost 8080:

\n
TCPSERVERWRAP(5): trigger: 1 execution: 1\nTCPWRAP(7): trigger: 5 execution: 0\n
\n

The TCPSERVERWRAP is the server which receives the connections.

\n

The TCPWRAP is the new connection from the client. When a new\nconnection is made, the TCPWrap instance is immediately constructed. This\nhappens outside of any JavaScript stack. (An executionAsyncId() of 0 means\nthat it is being executed from C++ with no JavaScript stack above it.) With only\nthat information, it would be impossible to link resources together in\nterms of what caused them to be created, so triggerAsyncId is given the task\nof propagating what resource is responsible for the new resource's existence.

", "type": "module", "displayName": "`triggerAsyncId`" }, { "textRaw": "`resource`", "name": "`resource`", "desc": "

resource is an object that represents the actual async resource that has\nbeen initialized. This can contain useful information that can vary based on\nthe value of type. For instance, for the GETADDRINFOREQWRAP resource type,\nresource provides the host name used when looking up the IP address for the\nhost in net.Server.listen(). The API for accessing this information is\nnot supported, but using the Embedder API, users can provide\nand document their own resource objects. For example, such a resource object\ncould contain the SQL query being executed.

\n

In some cases the resource object is reused for performance reasons, it is\nthus not safe to use it as a key in a WeakMap or add properties to it.

", "type": "module", "displayName": "`resource`" }, { "textRaw": "Asynchronous context example", "name": "asynchronous_context_example", "desc": "

The following is an example with additional information about the calls to\ninit between the before and after calls, specifically what the\ncallback to listen() will look like. The output formatting is slightly more\nelaborate to make calling context easier to see.

\n
let indent = 0;\nasync_hooks.createHook({\n  init(asyncId, type, triggerAsyncId) {\n    const eid = async_hooks.executionAsyncId();\n    const indentStr = ' '.repeat(indent);\n    fs.writeSync(\n      1,\n      `${indentStr}${type}(${asyncId}):` +\n      ` trigger: ${triggerAsyncId} execution: ${eid}\\n`);\n  },\n  before(asyncId) {\n    const indentStr = ' '.repeat(indent);\n    fs.writeSync(process.stdout.fd, `${indentStr}before:  ${asyncId}\\n`);\n    indent += 2;\n  },\n  after(asyncId) {\n    indent -= 2;\n    const indentStr = ' '.repeat(indent);\n    fs.writeSync(process.stdout.fd, `${indentStr}after:  ${asyncId}\\n`);\n  },\n  destroy(asyncId) {\n    const indentStr = ' '.repeat(indent);\n    fs.writeSync(process.stdout.fd, `${indentStr}destroy:  ${asyncId}\\n`);\n  },\n}).enable();\n\nrequire('net').createServer(() => {}).listen(8080, () => {\n  // Let's wait 10ms before logging the server started.\n  setTimeout(() => {\n    console.log('>>>', async_hooks.executionAsyncId());\n  }, 10);\n});\n
\n

Output from only starting the server:

\n
TCPSERVERWRAP(5): trigger: 1 execution: 1\nTickObject(6): trigger: 5 execution: 1\nbefore:  6\n  Timeout(7): trigger: 6 execution: 6\nafter:   6\ndestroy: 6\nbefore:  7\n>>> 7\n  TickObject(8): trigger: 7 execution: 7\nafter:   7\nbefore:  8\nafter:   8\n
\n

As illustrated in the example, executionAsyncId() and execution each specify\nthe value of the current execution context; which is delineated by calls to\nbefore and after.

\n

Only using execution to graph resource allocation results in the following:

\n
  root(1)\n     ^\n     |\nTickObject(6)\n     ^\n     |\n Timeout(7)\n
\n

The TCPSERVERWRAP is not part of this graph, even though it was the reason for\nconsole.log() being called. This is because binding to a port without a host\nname is a synchronous operation, but to maintain a completely asynchronous\nAPI the user's callback is placed in a process.nextTick(). Which is why\nTickObject is present in the output and is a 'parent' for .listen()\ncallback.

\n

The graph only shows when a resource was created, not why, so to track\nthe why use triggerAsyncId. Which can be represented with the following\ngraph:

\n
 bootstrap(1)\n     |\n     ˅\nTCPSERVERWRAP(5)\n     |\n     ˅\n TickObject(6)\n     |\n     ˅\n  Timeout(7)\n
", "type": "module", "displayName": "Asynchronous context example" } ] }, { "textRaw": "`before(asyncId)`", "type": "method", "name": "before", "signatures": [ { "params": [ { "textRaw": "`asyncId` {number}", "name": "asyncId", "type": "number" } ] } ], "desc": "

When an asynchronous operation is initiated (such as a TCP server receiving a\nnew connection) or completes (such as writing data to disk) a callback is\ncalled to notify the user. The before callback is called just before said\ncallback is executed. asyncId is the unique identifier assigned to the\nresource about to execute the callback.

\n

The before callback will be called 0 to N times. The before callback\nwill typically be called 0 times if the asynchronous operation was cancelled\nor, for example, if no connections are received by a TCP server. Persistent\nasynchronous resources like a TCP server will typically call the before\ncallback multiple times, while other operations like fs.open() will call\nit only once.

" }, { "textRaw": "`after(asyncId)`", "type": "method", "name": "after", "signatures": [ { "params": [ { "textRaw": "`asyncId` {number}", "name": "asyncId", "type": "number" } ] } ], "desc": "

Called immediately after the callback specified in before is completed.

\n

If an uncaught exception occurs during execution of the callback, then after\nwill run after the 'uncaughtException' event is emitted or a domain's\nhandler runs.

" }, { "textRaw": "`destroy(asyncId)`", "type": "method", "name": "destroy", "signatures": [ { "params": [ { "textRaw": "`asyncId` {number}", "name": "asyncId", "type": "number" } ] } ], "desc": "

Called after the resource corresponding to asyncId is destroyed. It is also\ncalled asynchronously from the embedder API emitDestroy().

\n

Some resources depend on garbage collection for cleanup, so if a reference is\nmade to the resource object passed to init it is possible that destroy\nwill never be called, causing a memory leak in the application. If the resource\ndoes not depend on garbage collection, then this will not be an issue.

" }, { "textRaw": "`promiseResolve(asyncId)`", "type": "method", "name": "promiseResolve", "meta": { "added": [ "v8.6.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`asyncId` {number}", "name": "asyncId", "type": "number" } ] } ], "desc": "

Called when the resolve function passed to the Promise constructor is\ninvoked (either directly or through other means of resolving a promise).

\n

resolve() does not do any observable synchronous work.

\n

The Promise is not necessarily fulfilled or rejected at this point if the\nPromise was resolved by assuming the state of another Promise.

\n
new Promise((resolve) => resolve(true)).then((a) => {});\n
\n

calls the following callbacks:

\n
init for PROMISE with id 5, trigger id: 1\n  promise resolve 5      # corresponds to resolve(true)\ninit for PROMISE with id 6, trigger id: 5  # the Promise returned by then()\n  before 6               # the then() callback is entered\n  promise resolve 6      # the then() callback resolves the promise by returning\n  after 6\n
" } ], "type": "module", "displayName": "Hook callbacks" } ] } ], "type": "module", "displayName": "Public API" }, { "textRaw": "Promise execution tracking", "name": "promise_execution_tracking", "desc": "

By default, promise executions are not assigned asyncIds due to the relatively\nexpensive nature of the promise introspection API provided by\nV8. This means that programs using promises or async/await will not get\ncorrect execution and trigger ids for promise callback contexts by default.

\n
const ah = require('async_hooks');\nPromise.resolve(1729).then(() => {\n  console.log(`eid ${ah.executionAsyncId()} tid ${ah.triggerAsyncId()}`);\n});\n// produces:\n// eid 1 tid 0\n
\n

Observe that the then() callback claims to have executed in the context of the\nouter scope even though there was an asynchronous hop involved. Also,\nthe triggerAsyncId value is 0, which means that we are missing context about\nthe resource that caused (triggered) the then() callback to be executed.

\n

Installing async hooks via async_hooks.createHook enables promise execution\ntracking:

\n
const ah = require('async_hooks');\nah.createHook({ init() {} }).enable(); // forces PromiseHooks to be enabled.\nPromise.resolve(1729).then(() => {\n  console.log(`eid ${ah.executionAsyncId()} tid ${ah.triggerAsyncId()}`);\n});\n// produces:\n// eid 7 tid 6\n
\n

In this example, adding any actual hook function enabled the tracking of\npromises. There are two promises in the example above; the promise created by\nPromise.resolve() and the promise returned by the call to then(). In the\nexample above, the first promise got the asyncId 6 and the latter got\nasyncId 7. During the execution of the then() callback, we are executing\nin the context of promise with asyncId 7. This promise was triggered by\nasync resource 6.

\n

Another subtlety with promises is that before and after callbacks are run\nonly on chained promises. That means promises not created by then()/catch()\nwill not have the before and after callbacks fired on them. For more details\nsee the details of the V8 PromiseHooks API.

", "type": "module", "displayName": "Promise execution tracking" }, { "textRaw": "JavaScript embedder API", "name": "javascript_embedder_api", "desc": "

Library developers that handle their own asynchronous resources performing tasks\nlike I/O, connection pooling, or managing callback queues may use the\nAsyncResource JavaScript API so that all the appropriate callbacks are called.

", "classes": [ { "textRaw": "Class: `AsyncResource`", "type": "class", "name": "AsyncResource", "desc": "

The class AsyncResource is designed to be extended by the embedder's async\nresources. Using this, users can easily trigger the lifetime events of their\nown resources.

\n

The init hook will trigger when an AsyncResource is instantiated.

\n

The following is an overview of the AsyncResource API.

\n
const { AsyncResource, executionAsyncId } = require('async_hooks');\n\n// AsyncResource() is meant to be extended. Instantiating a\n// new AsyncResource() also triggers init. If triggerAsyncId is omitted then\n// async_hook.executionAsyncId() is used.\nconst asyncResource = new AsyncResource(\n  type, { triggerAsyncId: executionAsyncId(), requireManualDestroy: false }\n);\n\n// Run a function in the execution context of the resource. This will\n// * establish the context of the resource\n// * trigger the AsyncHooks before callbacks\n// * call the provided function `fn` with the supplied arguments\n// * trigger the AsyncHooks after callbacks\n// * restore the original execution context\nasyncResource.runInAsyncScope(fn, thisArg, ...args);\n\n// Call AsyncHooks destroy callbacks.\nasyncResource.emitDestroy();\n\n// Return the unique ID assigned to the AsyncResource instance.\nasyncResource.asyncId();\n\n// Return the trigger ID for the AsyncResource instance.\nasyncResource.triggerAsyncId();\n
", "methods": [ { "textRaw": "`asyncResource.runInAsyncScope(fn[, thisArg, ...args])`", "type": "method", "name": "runInAsyncScope", "meta": { "added": [ "v9.6.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`fn` {Function} The function to call in the execution context of this async resource.", "name": "fn", "type": "Function", "desc": "The function to call in the execution context of this async resource." }, { "textRaw": "`thisArg` {any} The receiver to be used for the function call.", "name": "thisArg", "type": "any", "desc": "The receiver to be used for the function call." }, { "textRaw": "`...args` {any} Optional arguments to pass to the function.", "name": "...args", "type": "any", "desc": "Optional arguments to pass to the function." } ] } ], "desc": "

Call the provided function with the provided arguments in the execution context\nof the async resource. This will establish the context, trigger the AsyncHooks\nbefore callbacks, call the function, trigger the AsyncHooks after callbacks, and\nthen restore the original execution context.

" }, { "textRaw": "`asyncResource.emitDestroy()`", "type": "method", "name": "emitDestroy", "signatures": [ { "return": { "textRaw": "Returns: {AsyncResource} A reference to `asyncResource`.", "name": "return", "type": "AsyncResource", "desc": "A reference to `asyncResource`." }, "params": [] } ], "desc": "

Call all destroy hooks. This should only ever be called once. An error will\nbe thrown if it is called more than once. This must be manually called. If\nthe resource is left to be collected by the GC then the destroy hooks will\nnever be called.

" }, { "textRaw": "`asyncResource.asyncId()`", "type": "method", "name": "asyncId", "signatures": [ { "return": { "textRaw": "Returns: {number} The unique `asyncId` assigned to the resource.", "name": "return", "type": "number", "desc": "The unique `asyncId` assigned to the resource." }, "params": [] } ] }, { "textRaw": "`asyncResource.triggerAsyncId()`", "type": "method", "name": "triggerAsyncId", "signatures": [ { "return": { "textRaw": "Returns: {number} The same `triggerAsyncId` that is passed to the `AsyncResource` constructor.", "name": "return", "type": "number", "desc": "The same `triggerAsyncId` that is passed to the `AsyncResource` constructor." }, "params": [] } ], "desc": "

" } ], "signatures": [ { "params": [ { "textRaw": "`type` {string} The type of async event.", "name": "type", "type": "string", "desc": "The type of async event." }, { "textRaw": "`options` {Object}", "name": "options", "type": "Object", "options": [ { "textRaw": "`triggerAsyncId` {number} The ID of the execution context that created this async event. **Default:** `executionAsyncId()`.", "name": "triggerAsyncId", "type": "number", "default": "`executionAsyncId()`", "desc": "The ID of the execution context that created this async event." }, { "textRaw": "`requireManualDestroy` {boolean} If set to `true`, disables `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. When set to `false`, the `emitDestroy` call on garbage collection will only take place if there is at least one active `destroy` hook. **Default:** `false`.", "name": "requireManualDestroy", "type": "boolean", "default": "`false`", "desc": "If set to `true`, disables `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. When set to `false`, the `emitDestroy` call on garbage collection will only take place if there is at least one active `destroy` hook." } ] } ], "desc": "

Example usage:

\n
class DBQuery extends AsyncResource {\n  constructor(db) {\n    super('DBQuery');\n    this.db = db;\n  }\n\n  getInfo(query, callback) {\n    this.db.get(query, (err, data) => {\n      this.runInAsyncScope(callback, null, err, data);\n    });\n  }\n\n  close() {\n    this.db = null;\n    this.emitDestroy();\n  }\n}\n
" } ] } ], "modules": [ { "textRaw": "Using `AsyncResource` for a `Worker` thread pool", "name": "using_`asyncresource`_for_a_`worker`_thread_pool", "desc": "

The following example shows how to use the AsyncResource class to properly\nprovide async tracking for a Worker pool. Other resource pools, such as\ndatabase connection pools, can follow a similar model.

\n

Assuming that the task is adding two numbers, using a file named\ntask_processor.js with the following content:

\n
const { parentPort } = require('worker_threads');\nparentPort.on('message', (task) => {\n  parentPort.postMessage(task.a + task.b);\n});\n
\n

a Worker pool around it could use the following structure:

\n
const { AsyncResource } = require('async_hooks');\nconst { EventEmitter } = require('events');\nconst path = require('path');\nconst { Worker } = require('worker_threads');\n\nconst kTaskInfo = Symbol('kTaskInfo');\nconst kWorkerFreedEvent = Symbol('kWorkerFreedEvent');\n\nclass WorkerPoolTaskInfo extends AsyncResource {\n  constructor(callback) {\n    super('WorkerPoolTaskInfo');\n    this.callback = callback;\n  }\n\n  done(err, result) {\n    this.runInAsyncScope(this.callback, null, err, result);\n    this.emitDestroy();  // `TaskInfo`s are used only once.\n  }\n}\n\nclass WorkerPool extends EventEmitter {\n  constructor(numThreads) {\n    super();\n    this.numThreads = numThreads;\n    this.workers = [];\n    this.freeWorkers = [];\n\n    for (let i = 0; i < numThreads; i++)\n      this.addNewWorker();\n  }\n\n  addNewWorker() {\n    const worker = new Worker(path.resolve(__dirname, 'task_processor.js'));\n    worker.on('message', (result) => {\n      // In case of success: Call the callback that was passed to `runTask`,\n      // remove the `TaskInfo` associated with the Worker, and mark it as free\n      // again.\n      worker[kTaskInfo].done(null, result);\n      worker[kTaskInfo] = null;\n      this.freeWorkers.push(worker);\n      this.emit(kWorkerFreedEvent);\n    });\n    worker.on('error', (err) => {\n      // In case of an uncaught exception: Call the callback that was passed to\n      // `runTask` with the error.\n      if (worker[kTaskInfo])\n        worker[kTaskInfo].done(err, null);\n      else\n        this.emit('error', err);\n      // Remove the worker from the list and start a new Worker to replace the\n      // current one.\n      this.workers.splice(this.workers.indexOf(worker), 1);\n      this.addNewWorker();\n    });\n    this.workers.push(worker);\n    this.freeWorkers.push(worker);\n    this.emit(kWorkerFreedEvent);\n  }\n\n  runTask(task, callback) {\n    if (this.freeWorkers.length === 0) {\n      // No free threads, wait until a worker thread becomes free.\n      this.once(kWorkerFreedEvent, () => this.runTask(task, callback));\n      return;\n    }\n\n    const worker = this.freeWorkers.pop();\n    worker[kTaskInfo] = new WorkerPoolTaskInfo(callback);\n    worker.postMessage(task);\n  }\n\n  close() {\n    for (const worker of this.workers) worker.terminate();\n  }\n}\n\nmodule.exports = WorkerPool;\n
\n

Without the explicit tracking added by the WorkerPoolTaskInfo objects,\nit would appear that the callbacks are associated with the individual Worker\nobjects. However, the creation of the Workers is not associated with the\ncreation of the tasks and does not provide information about when tasks\nwere scheduled.

\n

This pool could be used as follows:

\n
const WorkerPool = require('./worker_pool.js');\nconst os = require('os');\n\nconst pool = new WorkerPool(os.cpus().length);\n\nlet finished = 0;\nfor (let i = 0; i < 10; i++) {\n  pool.runTask({ a: 42, b: 100 }, (err, result) => {\n    console.log(i, err, result);\n    if (++finished === 10)\n      pool.close();\n  });\n}\n
", "type": "module", "displayName": "Using `AsyncResource` for a `Worker` thread pool" }, { "textRaw": "Integrating `AsyncResource` with `EventEmitter`", "name": "integrating_`asyncresource`_with_`eventemitter`", "desc": "

Event listeners triggered by an EventEmitter may be run in a different\nexecution context than the one that was active when eventEmitter.on() was\ncalled.

\n

The following example shows how to use the AsyncResource class to properly\nassociate an event listener with the correct execution context. The same\napproach can be applied to a Stream or a similar event-driven class.

\n
const { createServer } = require('http');\nconst { AsyncResource, executionAsyncId } = require('async_hooks');\n\nconst server = createServer((req, res) => {\n  const asyncResource = new AsyncResource('request');\n  // The listener will always run in the execution context of `asyncResource`.\n  req.on('close', asyncResource.runInAsyncScope.bind(asyncResource, () => {\n    // Prints: true\n    console.log(asyncResource.asyncId() === executionAsyncId());\n  }));\n  res.end();\n}).listen(3000);\n
", "type": "module", "displayName": "Integrating `AsyncResource` with `EventEmitter`" } ], "type": "module", "displayName": "JavaScript embedder API" } ], "classes": [ { "textRaw": "Class: `AsyncLocalStorage`", "type": "class", "name": "AsyncLocalStorage", "meta": { "added": [ "v13.10.0" ], "changes": [] }, "desc": "

This class is used to create asynchronous state within callbacks and promise\nchains. It allows storing data throughout the lifetime of a web request\nor any other asynchronous duration. It is similar to thread-local storage\nin other languages.

\n

The following example uses AsyncLocalStorage to build a simple logger\nthat assigns IDs to incoming HTTP requests and includes them in messages\nlogged within each request.

\n
const http = require('http');\nconst { AsyncLocalStorage } = require('async_hooks');\n\nconst asyncLocalStorage = new AsyncLocalStorage();\n\nfunction logWithId(msg) {\n  const id = asyncLocalStorage.getStore();\n  console.log(`${id !== undefined ? id : '-'}:`, msg);\n}\n\nlet idSeq = 0;\nhttp.createServer((req, res) => {\n  asyncLocalStorage.run(idSeq++, () => {\n    logWithId('start');\n    // Imagine any chain of async operations here\n    setImmediate(() => {\n      logWithId('finish');\n      res.end();\n    });\n  });\n}).listen(8080);\n\nhttp.get('http://localhost:8080');\nhttp.get('http://localhost:8080');\n// Prints:\n//   0: start\n//   1: start\n//   0: finish\n//   1: finish\n
\n

When having multiple instances of AsyncLocalStorage, they are independent\nfrom each other. It is safe to instantiate this class multiple times.

", "methods": [ { "textRaw": "`asyncLocalStorage.disable()`", "type": "method", "name": "disable", "meta": { "added": [ "v13.10.0" ], "changes": [] }, "signatures": [ { "params": [] } ], "desc": "

This method disables the instance of AsyncLocalStorage. All subsequent calls\nto asyncLocalStorage.getStore() will return undefined until\nasyncLocalStorage.run() is called again.

\n

When calling asyncLocalStorage.disable(), all current contexts linked to the\ninstance will be exited.

\n

Calling asyncLocalStorage.disable() is required before the\nasyncLocalStorage can be garbage collected. This does not apply to stores\nprovided by the asyncLocalStorage, as those objects are garbage collected\nalong with the corresponding async resources.

\n

This method is to be used when the asyncLocalStorage is not in use anymore\nin the current process.

" }, { "textRaw": "`asyncLocalStorage.getStore()`", "type": "method", "name": "getStore", "meta": { "added": [ "v13.10.0" ], "changes": [] }, "signatures": [ { "return": { "textRaw": "Returns: {any}", "name": "return", "type": "any" }, "params": [] } ], "desc": "

This method returns the current store.\nIf this method is called outside of an asynchronous context initialized by\ncalling asyncLocalStorage.run, it will return undefined.

" }, { "textRaw": "`asyncLocalStorage.enterWith(store)`", "type": "method", "name": "enterWith", "meta": { "added": [ "v13.11.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`store` {any}", "name": "store", "type": "any" } ] } ], "desc": "

Calling asyncLocalStorage.enterWith(store) will transition into the context\nfor the remainder of the current synchronous execution and will persist\nthrough any following asynchronous calls.

\n

Example:

\n
const store = { id: 1 };\nasyncLocalStorage.enterWith(store);\nasyncLocalStorage.getStore(); // Returns the store object\nsomeAsyncOperation(() => {\n  asyncLocalStorage.getStore(); // Returns the same object\n});\n
\n

This transition will continue for the entire synchronous execution.\nThis means that if, for example, the context is entered within an event\nhandler subsequent event handlers will also run within that context unless\nspecifically bound to another context with an AsyncResource.

\n
const store = { id: 1 };\n\nemitter.on('my-event', () => {\n  asyncLocalStorage.enterWith(store);\n});\nemitter.on('my-event', () => {\n  asyncLocalStorage.getStore(); // Returns the same object\n});\n\nasyncLocalStorage.getStore(); // Returns undefined\nemitter.emit('my-event');\nasyncLocalStorage.getStore(); // Returns the same object\n
" }, { "textRaw": "`asyncLocalStorage.run(store, callback[, ...args])`", "type": "method", "name": "run", "meta": { "added": [ "v13.10.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`store` {any}", "name": "store", "type": "any" }, { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" }, { "textRaw": "`...args` {any}", "name": "...args", "type": "any" } ] } ], "desc": "

This methods runs a function synchronously within a context and return its\nreturn value. The store is not accessible outside of the callback function or\nthe asynchronous operations created within the callback.

\n

Optionally, arguments can be passed to the function. They will be passed to\nthe callback function.

\n

If the callback function throws an error, it will be thrown by run too.\nThe stacktrace will not be impacted by this call and the context will\nbe exited.

\n

Example:

\n
const store = { id: 2 };\ntry {\n  asyncLocalStorage.run(store, () => {\n    asyncLocalStorage.getStore(); // Returns the store object\n    throw new Error();\n  });\n} catch (e) {\n  asyncLocalStorage.getStore(); // Returns undefined\n  // The error will be caught here\n}\n
" }, { "textRaw": "`asyncLocalStorage.exit(callback[, ...args])`", "type": "method", "name": "exit", "meta": { "added": [ "v13.10.0" ], "changes": [] }, "signatures": [ { "params": [ { "textRaw": "`callback` {Function}", "name": "callback", "type": "Function" }, { "textRaw": "`...args` {any}", "name": "...args", "type": "any" } ] } ], "desc": "

This methods runs a function synchronously outside of a context and return its\nreturn value. The store is not accessible within the callback function or\nthe asynchronous operations created within the callback.

\n

Optionally, arguments can be passed to the function. They will be passed to\nthe callback function.

\n

If the callback function throws an error, it will be thrown by exit too.\nThe stacktrace will not be impacted by this call and\nthe context will be re-entered.

\n

Example:

\n
// Within a call to run\ntry {\n  asyncLocalStorage.getStore(); // Returns the store object or value\n  asyncLocalStorage.exit(() => {\n    asyncLocalStorage.getStore(); // Returns undefined\n    throw new Error();\n  });\n} catch (e) {\n  asyncLocalStorage.getStore(); // Returns the same object or value\n  // The error will be caught here\n}\n
" } ], "modules": [ { "textRaw": "Usage with `async/await`", "name": "usage_with_`async/await`", "desc": "

If, within an async function, only one await call is to run within a context,\nthe following pattern should be used:

\n
async function fn() {\n  await asyncLocalStorage.run(new Map(), () => {\n    asyncLocalStorage.getStore().set('key', value);\n    return foo(); // The return value of foo will be awaited\n  });\n}\n
\n

In this example, the store is only available in the callback function and the\nfunctions called by foo. Outside of run, calling getStore will return\nundefined.

", "type": "module", "displayName": "Usage with `async/await`" }, { "textRaw": "Troubleshooting", "name": "troubleshooting", "desc": "

In most cases your application or library code should have no issues with\nAsyncLocalStorage. But in rare cases you may face situations when the\ncurrent store is lost in one of asynchronous operations. Then you should\nconsider the following options.

\n

If your code is callback-based, it is enough to promisify it with\nutil.promisify(), so it starts working with native promises.

\n

If you need to keep using callback-based API, or your code assumes\na custom thenable implementation, you should use AsyncResource class\nto associate the asynchronous operation with the correct execution context.

", "type": "module", "displayName": "Troubleshooting" } ], "signatures": [ { "params": [], "desc": "

Creates a new instance of AsyncLocalStorage. Store is only provided within a\nrun method call.

" } ] } ], "type": "module", "displayName": "Async hooks" } ] }