@lppedd/di-wise-neo - v0.6.0
    Preparing search index...

    @lppedd/di-wise-neo - v0.6.0

    di-wise-neo

    Lightweight, type-safe, flexible dependency injection library for TypeScript and JavaScript

    build coverage npm npm gzipped size license

    di-wise-neo
    Note

    di-wise-neo is a fork of di-wise, aiming to provide a simpler yet more powerful API, in part thanks to TypeScript's experimental decorators. Shout out to @exuanbo for the strong foundations!

    I've been developing VS Code extensions for a while as part of my daily work. It's enjoyable work! However, extensions always reach that tipping point where feature bloat, and the many different UI interactions which arise from that, make writing, reading, and understanding the codebase a challenge.

    Part of the problem is the crazy amount of parameter passing, and the many exported global values floating around waiting to be imported and to generate yet another coupling point.

    My background with Java is full of such cases, that have been (partially) mitigated by introducing dependency-injection libraries based on Java's powerful Contexts and Dependency Injection (see Weld, the reference implementation).

    So why not apply the same concept to our TypeScript projects?
    I've posted on Reddit just to get a feel of what the ecosystem offers, and was pointed to libraries such as tsyringe, InversifyJS, or Awilix. I've also explored on my own and discovered redi and di-wise.

    What I was looking for is a lightweight solution that offers:

    • full type safety
    • scoped resolution of dependencies
    • optional decorator support for constructor and method injection.
      Yes I know, forget type-safety with decorators, but they are extremely intuitive to pick up for Java devs.
    • no dependency on reflect-metadata, as I'm an ESBuild user and ESBuild does not support emitDecoratorMetadata

    Unfortunately both tsyringe and InversifyJS require reflect-metadata to run correctly. Awilix looks good, but it's probably too much for what I need to do, and it does not support decorators. Plus, the API just didn't click for me.

    redi focuses only on constructor injection via decorators, which is nice. However, it falls short when it comes to type safety and resolution scopes: it only supports singletons, with a decorator-based trick to create fresh instances.

    And lastly, di-wise. This small library was quite the surprise! Easy to pick up, no scope creep, injection context support, and full type safety via Angular-like inject<T>() functions (that's more like a service locator, but whatever). The only problems are the slightly overcomplicated API - especially regarding typings - and the use of ECMAScript Stage 3 decorators, which do not support decorating method parameters :sob:

    So what's the right move? Forking the best pick and refactoring it to suite my production needs.

    npm i @lppedd/di-wise-neo
    
    pnpm add @lppedd/di-wise-neo
    
    yarn add @lppedd/di-wise-neo
    

    You can find the complete API reference at lppedd.github.io/di-wise-neo

    • Does not depend on other libraries
    • Does not use reflect-metadata to drive decorators
    • Can be used from JavaScript with function-based injection
    • When using decorator-based injection, experimentalDecorators must be enabled in your tsconfig.json file
    • The JavaScript environment must support features such as Array.flat, WeakSet, WeakMap, Set, and Map
    //
    // A couple of classes to cover the example
    //

    export class ExtensionContext { /* ... */ }

    // Both the secret store and the contribution registrar
    // require the extension context to read and set values

    export class SecretStore {
    // We can use function-based injection, which gives us type safety
    readonly context = inject(ExtensionContext);

    // Or even
    // constructor(readonly context = inject(ExtensionContext)) {}

    /* ... */
    }

    export class ContributionRegistrar {
    // We can also opt to use decorator-based constructor injection
    constructor(@Inject(ExtensionContext) readonly context: ExtensionContext) {}

    /* ... */

    // Or method injection. The @Optional decorator injects "T | undefined".
    protected withSecretStore(@Optional(SecretStore) store: SecretStore | undefined): void {
    if (store?.isSet("key")) {
    /* ... */
    }
    }
    }

    //
    // Using di-wise-neo
    //

    // Create a new DI container
    const container = createContainer({
    // Optionally override the default "transient" registration scope.
    // I prefer to use "container" (a.k.a. singleton) scope, but "transient" is the better default.
    defaultScope: Scope.Container,
    });

    // Register our managed dependencies in the container
    container.register(ExtensionContext)
    .register(SecretStore)
    .register(ContributionRegistrar);

    // Get the contribution registrar.
    // The container will create a new managed instance for us, with all dependencies injected.
    const registrar = container.resolve(ContributionRegistrar);
    registrar.registerCommand("my.command", () => { console.log("hey!"); });

    The Container supports four scope types that determine how and when values are cached and reused.

    Inherits the scope from the requesting (dependent) token.
    If there is no dependent (i.e., during top-level resolution), it behaves like Transient.

    Creates a new value every time the dependency is resolved, which means values are never cached.

    • a class registered via ClassProvider is instantiated on each resolution
    • a factory function registered via FactoryProvider is invoked on each resolution
    • a value registered via ValueProvider is always returned as-is

    Creates and caches a single value per resolution graph.
    The same value is reused during a single resolution request, but a new one is created for each separate request.

    Creates and caches a single value per container.
    If the value is not found in the current container, it is looked up in the parent container, and so on.

    It effectively behaves like a singleton scope, but allows container-specific overrides.

    The container allows registering tokens via providers. The generic usage is:

    container.register(/* ... */);
    

    An explicit scope can be specified using the third argument, when applicable.
    If omitted, the default scope is Transient.

    container.register(token, provider, { scope: Scope.Resolution });
    

    You can register a class by passing it directly to the register method:

    container.register(SecretStore);
    

    Alternatively, use an explicit ClassProvider object - useful when registering an interface or abstract type:

    const IStore = createType<Store>("Store");
    container.register(IStore, {
    useClass: SecretStore, // class SecretStore implements Store
    });

    Upon resolving IStore - which represents the Store interface - the container creates an instance of SecretStore, caching it according to the configured scope.

    A lazily computed value can be registered using a factory function:

    const Env = createType<string>("Env")
    container.register(Env, {
    useFactory: () => isNode() ? "Node.js" : "browser",
    });

    The factory function is invoked upon token resolution, and its result is cached according to the configured scope.

    A fixed value - always taken as-is and unaffected by scopes - can be registered using:

    const PID = createType<number>("PID");
    const processId = spawnProcess();
    container.register(PID, {
    useValue: processId,
    });

    This is especially useful when injecting third-party values that are not created through the DI container.

    Registers an alias to another token, allowing multiple identifiers to resolve to the same value.
    Using the previous PID example, we can register a TaskID alias:

    const TaskID = createType<number>("TaskID");
    container.register(TaskID, {
    useExisting: PID,
    });

    The container will translate TaskID to PID before resolving the value.

    The primary way to perform dependency injection in di-wise-neo is through functions like inject(T), injectAll(T), optional(T), and optionalAll(T).

    Tip

    Using injection functions is recommended because it preserves type safety.

    All injection functions must be invoked inside an injection context, which stores the currently active container.
    The injection context is available in these situations:

    • inside the constructor of a class instantiated by the DI container
    • in property initializers of such classes
    • within factory functions used by FactoryProvider

    Injects the value associated with a token, throwing an error if the token is not registered in the container.

    export class ProcessManager {
    constructor(readonly rootPID /*: number */ = inject(PID)) {}

    /* ... */
    }

    If PID cannot be resolved, a resolution error with detailed information is thrown.

    Injects all values associated with a token, throwing an error if the token has never been registered in the container.

    export class ExtensionContext {
    readonly stores /*: Store[] */ = injectAll(IStore);

    /* ... */

    clearStorage(): void {
    this.stores.forEach((store) => store.clear());
    }
    }

    Injects the value associated with a token, or undefined if the token is not registered in the container.

    export class ProcessManager {
    constructor(readonly rootPID /*: number | undefined */ = optional(PID)) {}

    /* ... */
    }

    Injects all values associated with a token, or an empty array if the token has never been registered in the container.

    export class ExtensionContext {
    // The type does not change compared to injectAll(T), but the call does not fail
    readonly stores /*: Store[] */ = optionalAll(IStore);

    /* ... */
    }

    You can also perform dependency injection using TypeScript's experimental decorators.

    di-wise-neo supports decorating constructor's and instance method's parameters.
    It does not support property injection by design.

    Injects the value associated with a token, throwing an error if the token is not registered in the container.

    export class ProcessManager {
    constructor(@Inject(PID) readonly rootPID: number) {}

    /* ... */

    // The method is called immediately after instance construction
    notifyListener(@Inject(ProcessListener) listener: ProcessListener): void {
    listener.processStarted(this.rootPID);
    }
    }

    If PID cannot be resolved, a resolution error with detailed information is thrown.

    Injects all values associated with a token, throwing an error if the token has never been registered in the container.

    export class ExtensionContext {
    constructor(@InjectAll(IStore) readonly stores: Store[]) {}

    /* ... */

    clearStorage(): void {
    this.stores.forEach((store) => store.clear());
    }
    }

    Injects the value associated with a token, or undefined if the token is not registered in the container.

    export class ProcessManager {
    constructor(@Optional(PID) readonly rootPID: number | undefined) {}

    /* ... */
    }

    Injects all values associated with a token, or an empty array if the token has never been registered in the container.

    export class ExtensionContext {
    // The type does not change compared to @InjectAll, but construction does not fail
    constructor(@OptionalAll(IStore) readonly stores: Store[]) {}

    /* ... */
    }

    Sometimes you may need to reference a token or class that is declared later in the file.
    Normally, attempting to do that would result in a ReferenceError:

    ReferenceError: Cannot access 'IStore' before initialization

    We can work around this problem by using the forwardRef helper function:

    export class ExtensionContext {
    constructor(@OptionalAll(forwardRef(() => IStore)) readonly stores: Store[]) {}

    /* ... */
    }

    The library includes three behavioral decorators that influence how classes are registered in the container. These decorators attach metadata to the class type, which is then interpreted by the container during registration.

    Specifies a default scope for the decorated class:

    @Scoped(Scope.Container)
    export class ExtensionContext {
    /* ... */
    }

    Applying @Scoped(Scope.Container) to the ExtensionContext class instructs the DI container to register it with the Container scope by default.

    This default can be overridden by explicitly providing registration options:

    container.register(
    ExtensionContext,
    { useClass: ExtensionContext },
    { scope: Scope.Resolution },
    );

    In this example, ExtensionContext will be registered with Resolution scope instead.

    Enables automatic registration of the decorated class when it is resolved, if it has not been registered beforehand.

    @AutoRegister()
    export class ExtensionContext {
    /* ... */
    }

    // Resolve the class without prior registration. It works!
    container.resolve(ExtensionContext);

    Sets the default class scope to Container and marks the class for eager instantiation upon registration.

    This causes the container to immediately create and cache the instance of the class at registration time, instead of deferring instantiation until the first resolution.

    @EagerInstantiate()
    export class ExtensionContext {
    /* ... */
    }

    // ExtensionContext is registered with Container scope,
    // and an instance is immediately created and cached by the container
    container.register(ExtensionContext);
    Warning

    Eager instantiation requires that all dependencies of the class are already registered in the container.
    If they are not, registration will fail.

    Testing is an important part of software development, and dependency injection is meant to make it easier.
    The container API exposes methods to more easily integrate with testing scenarios.

    Removes all registrations from the container's internal registry, effectively resetting it to its initial state.
    This is useful for ensuring isolation between tests.

    describe("My test suite", () => {
    const container = createContainer();

    afterEach(() => {
    container.resetRegistry();
    });

    /* ... */
    });

    Another way to ensure isolation between tests is to completely replace the DI container after each test run.
    The di-wise-neo container supports being disposed, preventing further registrations or resolutions.

    describe("My test suite", () => {
    let container = createContainer();

    afterEach(() => {
    container.dispose();
    container = createContainer();
    });

    /* ... */
    });

    di-wise-neo is a fork of di-wise.
    All credits to the original author for focusing on a clean architecture and on code quality.

    MIT license

    2025-present Edoardo Luppi
    2024-2025 Xuanbo Cheng