Important: This documentation covers Yarn 1 (Classic).
For Yarn 2+ docs and migration guide, see yarnpkg.com.

Package detail

cls-hooked

jeff-lewis9.4mBSD-2-Clause4.2.2TypeScript support: definitely-typed

CLS using AsynWrap instead of async-listener - Node >= 4.7.0

threading, shared, context

readme

NPM

Build Status

Continuation-Local Storage ( Hooked )

This is a fork of CLS using AsyncWrap OR async_hooks instead of async-listener.

When running Nodejs version < 8, this module uses AsyncWrap which is an unsupported Nodejs API, so please consider the risk before using it.

When running Nodejs version >= 8.2.1, this module uses the newer async_hooks API which is considered Experimental by Nodejs.

Thanks to @trevnorris for AsyncWrap, async_hooks and all the async work in Node and @AndreasMadsen for async-hook

A little history of "AsyncWrap/async_hooks" and its incarnations

  1. First implementation was called AsyncListener in node v0.11 but was removed from core prior to Nodejs v0.12
  2. Second implementation called AsyncWrap, async-wrap or async_wrap was included to Nodejs v0.12.
    • AsyncWrap is unofficial and undocumented but is currently in Nodejs versions 6 & 7
    • cls-hooked uses AsyncWrap when run in Node < 8.
  3. Third implementation and offically Node-eps accepted AsyncHooks (async_hooks) API was included in Nodejs v8. :) The latest version of cls-hooked uses async_hooks API when run in Node >= 8.2.1

Continuation-local storage works like thread-local storage in threaded programming, but is based on chains of Node-style callbacks instead of threads. The standard Node convention of functions calling functions is very similar to something called "continuation-passing style" in functional programming, and the name comes from the way this module allows you to set and get values that are scoped to the lifetime of these chains of function calls.

Suppose you're writing a module that fetches a user and adds it to a session before calling a function passed in by a user to continue execution:

// setup.js

var createNamespace = require('cls-hooked').createNamespace;
var session = createNamespace('my session');

var db = require('./lib/db.js');

function start(options, next) {
  db.fetchUserById(options.id, function (error, user) {
    if (error) return next(error);

    session.set('user', user);

    next();
  });
}

Later on in the process of turning that user's data into an HTML page, you call another function (maybe defined in another module entirely) that wants to fetch the value you set earlier:

// send_response.js

var getNamespace = require('cls-hooked').getNamespace;
var session = getNamespace('my session');

var render = require('./lib/render.js')

function finish(response) {
  var user = session.get('user');
  render({user: user}).pipe(response);
}

When you set values in continuation-local storage, those values are accessible until all functions called from the original function – synchronously or asynchronously – have finished executing. This includes callbacks passed to process.nextTick and the timer functions (setImmediate, setTimeout, and setInterval), as well as callbacks passed to asynchronous functions that call native functions (such as those exported from the fs, dns, zlib and crypto modules).

A simple rule of thumb is anywhere where you might have set a property on the request or response objects in an HTTP handler, you can (and should) now use continuation-local storage. This API is designed to allow you extend the scope of a variable across a sequence of function calls, but with values specific to each sequence of calls.

Values are grouped into namespaces, created with createNamespace(). Sets of function calls are grouped together by calling them within the function passed to .run() on the namespace object. Calls to .run() can be nested, and each nested context this creates has its own copy of the set of values from the parent context. When a function is making multiple asynchronous calls, this allows each child call to get, set, and pass along its own context without overwriting the parent's.

A simple, annotated example of how this nesting behaves:

var createNamespace = require('cls-hooked').createNamespace;

var writer = createNamespace('writer');
writer.run(function () {
  writer.set('value', 0);

  requestHandler();
});

function requestHandler() {
  writer.run(function(outer) {
    // writer.get('value') returns 0
    // outer.value is 0
    writer.set('value', 1);
    // writer.get('value') returns 1
    // outer.value is 1
    process.nextTick(function() {
      // writer.get('value') returns 1
      // outer.value is 1
      writer.run(function(inner) {
        // writer.get('value') returns 1
        // outer.value is 1
        // inner.value is 1
        writer.set('value', 2);
        // writer.get('value') returns 2
        // outer.value is 1
        // inner.value is 2
      });
    });
  });

  setTimeout(function() {
    // runs with the default context, because nested contexts have ended
    console.log(writer.get('value')); // prints 0
  }, 1000);
}

cls.createNamespace(name)

  • return: {Namespace}

Each application wanting to use continuation-local values should create its own namespace. Reading from (or, more significantly, writing to) namespaces that don't belong to you is a faux pas.

cls.getNamespace(name)

  • return: {Namespace}

Look up an existing namespace.

cls.destroyNamespace(name)

Dispose of an existing namespace. WARNING: be sure to dispose of any references to destroyed namespaces in your old code, as contexts associated with them will no longer be propagated.

cls.reset()

Completely reset all continuation-local storage namespaces. WARNING: while this will stop the propagation of values in any existing namespaces, if there are remaining references to those namespaces in code, the associated storage will still be reachable, even though the associated state is no longer being updated. Make sure you clean up any references to destroyed namespaces yourself.

process.namespaces

  • return: dictionary of {Namespace} objects

Continuation-local storage has a performance cost, and so it isn't enabled until the module is loaded for the first time. Once the module is loaded, the current set of namespaces is available in process.namespaces, so library code that wants to use continuation-local storage only when it's active should test for the existence of process.namespaces.

Class: Namespace

Application-specific namespaces group values local to the set of functions whose calls originate from a callback passed to namespace.run() or namespace.bind().

namespace.active

  • return: the currently active context on a namespace

namespace.set(key, value)

  • return: value

Set a value on the current continuation context. Must be set within an active continuation chain started with namespace.run() or namespace.bind().

namespace.get(key)

  • return: the requested value, or undefined

Look up a value on the current continuation context. Recursively searches from the innermost to outermost nested continuation context for a value associated with a given key. Must be set within an active continuation chain started with namespace.run() or namespace.bind().

namespace.run(callback)

  • return: the context associated with that callback

Create a new context on which values can be set or read. Run all the functions that are called (either directly, or indirectly through asynchronous functions that take callbacks themselves) from the provided callback within the scope of that namespace. The new context is passed as an argument to the callback when it's called.

namespace.runAndReturn(callback)

  • return: the return value of the callback

Create a new context on which values can be set or read. Run all the functions that are called (either directly, or indirectly through asynchronous functions that take callbacks themselves) from the provided callback within the scope of that namespace. The new context is passed as an argument to the callback when it's called.

Same as namespace.run() but returns the return value of the callback rather than the context.

namespace.bind(callback, [context])

  • return: a callback wrapped up in a context closure

Bind a function to the specified namespace. Works analogously to Function.bind() or domain.bind(). If context is omitted, it will default to the currently active context in the namespace, or create a new context if none is currently defined.

namespace.bindEmitter(emitter)

Bind an EventEmitter to a namespace. Operates similarly to domain.add, with a less generic name and the additional caveat that unlike domains, namespaces never implicitly bind EventEmitters to themselves when they're created within the context of an active namespace.

The most likely time you'd want to use this is when you're using Express or Connect and want to make sure your middleware execution plays nice with CLS, or are doing other things with HTTP listeners:

http.createServer(function (req, res) {
  writer.bindEmitter(req);
  writer.bindEmitter(res);

  // do other stuff, some of which is asynchronous
});

namespace.createContext()

  • return: a context cloned from the currently active context

Use this with namespace.bind(), if you want to have a fresh context at invocation time, as opposed to binding time:

function doSomething(p) {
  console.log("%s = %s", p, ns.get(p));
}

function bindLater(callback) {
  return writer.bind(callback, writer.createContext());
}

setInterval(function () {
  var bound = bindLater(doSomething);
  bound('test');
}, 100);

context

A context is a plain object created using the enclosing context as its prototype.

copyright & license

See LICENSE for the details of the BSD 2-clause "simplified" license used by continuation-local-storage. This package was developed in 2012-2013 (and is maintained now) by Forrest L Norvell, @othiym23, with considerable help from Timothy Caswell, @creationix, working for The Node Firm. This work was underwritten by New Relic for use in their Node.js instrumentation agent, so maybe give that a look if you have some Node.js performance-monitoring needs.

changelog

cls-hooked Changelog

v4.1.7

  • fix: npm engine semver to allow node 6.10.x.
  • chore: forked async-hook to updated its engine semver also

v4.1.6

  • fix: Use the correct err variable name in try/catch. Thanks to @enko.

v4.1.5

  • dep: update engine support ^4.7||^6.9.2||^7.3 to be same as async-hook's
  • dep: update async-hook to 1.7.1
  • test: give fs.watchFile a little more time to pass on Travis CI

v4.1.4

  • feat: supports node 4.5.0 now
  • test: add node 4 to travis

v4.1.3

  • dep: updated dependencies. Fix eslint issues
  • feat: add runPromise

v4.1.2

  • chore: republishing to npm v4.1.2
  • test: Update travis and strict npm engine to ^6.2.2

v4.1.1

  • test: Updated travis and strict npm engine to ^6.2.2

v4.1.0

  • feat: add runAndReturn method to get return value of func (from @overlookmotel).

v4.0.1

v3.1.0 (2014-07-28):

v3.0.0 (2013-12-14):

  • Removed the notion of a "default" or "global" context per namespace. It only existed to create a simpler interface for developing and testing the module, and created the potential for nasty information disclosure bugs (see issue #14 for details). This is potentially a breaking change, if you're depending on the global context, so semver says we have to bump the major version.
  • Added this changelog.

v2.6.2 (2013-12-07):

  • async-listener and emitter-listener dependency refresh.

v2.6.1 (2013-11-29):

  • emitter-listener has been extracted from shimmer into a standalone module for namespace.bindEmitter().

v2.6.0 (2013-11-27):

  • When an error is thrown in a CLS-bound continuation chain, attach the active context for the namespace to which the chain is bound. This is necessary because CLS and asyncListeners actually do too good a job of cleaning up after errors, and so they don't escape the continuation chain. New Relic needs the context so it can get the transaction active when the error happened for error tracing.

v2.5.2 (2013-10-30):

  • async-listener dependency refresh for better support of node 0.8.0 - 0.8.3.

v2.5.1 (2013-10-27):

  • async-listener dependency refresh.

v2.5.0 (2013-10-27):

  • Relax the requirement that CLS contexts be pushed and popped from a stack, instead treating them as a set. This allows context interleaving (i.e. using the lower-level namespace.enter() and namespace.exit() API without any strict ordering dependencies). Everything works, but this still makes me a little uneasy.
  • EEs can now be bound to multiple namespaces, although this is likely to be slow.

v2.4.4 (2013-10-27):

  • Even if you use an EE bound to a namespace outside a continuation chain, it shouldn't explode.

v2.4.3 (2013-10-16):

  • async-listener dependency refresh.

v2.4.2 (2013-10-13):

  • More tweaks for async-listener error handlers (just a dependency refresh).

v2.4.1 (2013-10-12):

  • async-listener error listeners have gotten lots of tweaks. Update to newest API.
  • Only exit namespace context on error if a continuation chain is active.

v2.4.0 (2013-10-11):

  • async-listener now supports error listeners. Update to newest API.
  • Namespace context should be exited on asynchronous errors.

v2.3.4 (2013-10-03):

  • When EEs are in the middle of emitting, make sure that calls to emitter.removeListener are testing against non-monkeypatched versions of the event handlers (necessary so certain Connect middleware functions, such as connect.limit, run correctly).

v2.3.3 (2013-10-02):

  • Ensure handler rebinding gets called even in case of errors.
  • Be consistent about making sure contexts are kept in a sane state when errors are thrown in EEs.

v2.3.2 (2013-10-02):

  • Guard on / addListener remonkeypatching in namespace.bindEmitter() so that shimmer is only called to rebind if the monkeypatched versions have actually been replaced.
  • Don't try to call emit if there are no listeners on a bound EE.
  • Don't use setImmediate in tests, because it's not available in Node 0.8.x.

v2.3.1 (2013-10-01):

  • Update to newest version of async-listener.
  • Fix typo.

v2.3.0 (2013-09-30):

  • EventEmitters can now be bound to CLS namespaces. Because EEs act as coupling points between asynchronous domains, it's necessary for the EE binding to capture the CLS context both when the listener is added, and when a matching handler is firing because of a matching event being emitted.

v2.2.1 (2013-09-30):

  • More tweaks to conform with asyncListener API changes.
  • Many more test cases to ensure asyncListener stuff is working with Node 0.8.x.

v2.2.0 (2013-09-26):

  • Square up with latest async-listener / node PR #6011 changes.

v2.1.2 (2013-09-09):

  • Document namespace.createContext().
  • Fix issue where a value was always being returned from namespace.run(), even on error.

v2.1.1 (2013-09-03):

  • Clean up minor typo in docs.

v2.1.0 (2013-09-03):

  • Incorporate documentation from failed CLS PR.
  • namespace.bind() now also always exits the domain, even on error.
  • Namespaces can be destroyed.
  • cls.reset() allows tests to nuke all existing namespaces (use with care obviously).

v2.0.0 (2013-09-01):

  • Use async-listener polyfill instead of cls-glue.
  • Incorporate tests from cls-glue.

v1.1.1 (2013-09-01):

  • Namespace exits context even on error.

v1.1.0 (2013-07-30):

  • Split createContext so it's part of the namespace API.
  • Tweak error message to be more informative.

v1.0.1 (2013-07-25):

  • Correct Tim's email address.

v1.0.0 (2013-07-25):

  • Each application of CLS is allocated its own "namespace", which bind data to continuation chains, either using .run() or .bind() to create a new nested context. These nested contexts are prototype chains that point back to a "default" / "global" context, with the default context for each namespace being a prototype-free "data bag" created with Object.create(null).

v0.1.1 (2013-05-03):

  • Document progress thus far.

v0.1.0 (2013-05-03):

  • First attempt: basic API, docs, and tests.