SkillAgentSearch skills...

Ioc

:unicorn: lightweight (<1kb) inversion of control javascript library for dependency injection written in typescript

Install / Use

/learn @owja/Ioc

README

@owja/ioc

npm version npm version size CircleCI npm

This library implements dependency injection for javascript and typescript.

Features

  • Similar syntax to InversifyJS
  • Can be used without decorators
  • Less Features but straight forward
  • Can bind dependencies as classes, factories and static values and provide dependencie arguments or parameters if needed
  • Supports binding in singleton scope
  • Cached - Resolves only once in each dependent class by default
  • Cache can switched off directly at the inject decorator
  • Made with unit testing in mind
  • Supports dependency rebinding and container snapshots and restores
  • Lightweight - Below 1kb brotli/gzip compressed
  • Does NOT need reflect-metadata which size is around 50 kb
  • 100% written in Typescript

Install

npm install --save-dev @owja/ioc

Latest preview/dev version (alpha or beta)

npm install --save-dev @owja/ioc@next

The Container API

Creating a container

The container is the place where all dependencies get bound to. It is possible to have multiple container in our project in parallel.

import {Container} from "@owja/ioc";
const container = new Container();

Binding

Binding a class

This is the default way to bind a dependency. The class will get instantiated when the dependency gets resolved. You will be able to pass down it's dependencie arguments once you resolve it.

container.bind<ServiceInterface>(symbol).to(Service);

Binding a class in singleton scope

This will create only one instance of Service

container.bind<ServiceInterface>(symbol).to(Service).inSingletonScope();

Binding a factory

Factories are functions which will get called when the dependency gets resolved

container.bind<ServiceInterface>(symbol).toFactory(() => new Service());
container.bind<string>(symbol).toFactory(() => "just a string");
container.bind<string>(symbol).toFactory((a: string) => `I need a string parameter: ${a}`);

A factory can configured for singleton scope too. This way will only executed once.

container.bind<ServiceInterface>(symbol).toFactory(() => new Service()).inSingletonScope();

Binding a value

This is always like singleton scope, but it should be avoid to instantiate dependencies here. If they are circular dependencies, they will fail.

container.bind<ServiceInterface>(symbol).toValue(new Service()); // Bad, should be avoid
container.bind<string>(symbol).toValue("just a string");
container.bind<() => string>(symbol).toValue(() => "i am a function");

Rebinding

This is the way how we can rebind a dependency while unit tests. We should not need to rebind in production code.

container.rebind<ServiceMock>(symbol).toValue(new ServiceMock());

Removing

Normally this function is not used in production code. This will remove the dependency from the container.

container.remove(symbol);

Getting a dependency

Getting dependencies without @inject decorators trough container.get() is only meant for unit tests. This is also the internal way how the @inject decorator and the functions wire() and resolve() are getting the dependency.

container.get<Interface>(symbol);

To get a dependency without @inject decorator in production code use wire() or resolve(). Using container.get() directly to getting dependencies can result in infinite loops with circular dependencies when called inside of constructors. In addition container.get() does not respect the cache.

Important Note: You should avoid accessing the dependencies from any constructor. With circular dependencies this can result in a infinite loop.

Snapshot & Restore

This creates a snapshot of the bound dependencies. After this we can rebind dependencies and can restore it back to its old state after we made some unit tests.

container.snapshot();
container.restore();

The inject Decorator

To use the decorator you have to set experimentalDecorators to true in your tsconfig.json.

First we have to create a inject decorator for each container:

import {createDecorator} from "@owja/ioc";
export const inject = createDecorator(container);

Then we can use the decorator to inject the dependency.

class Example {
    @inject(symbol/*, [tags], ...dependencie arguments*/)
    readonly service!: Interface;
    
    method() {
        this.service.doSomething();
    }
}

The wire() Function

If we do not want to use decorators, we can use the wire function. It does the same like the inject decorator and we have to create the function first like we do with inject.

import {createWire} from "@owja/ioc";
export const wire = createWire(container);

Then we can wire up the dependent to the dependency.

class Example {
    readonly service!: Interface;
    
    constructor() {
        wire(this, "service", symbol/*, [tags], ...dependencie arguments*/);
    }
    
    method() {
        this.service.doSomething();
    }
}

Notice: With wire() the property, in this case service, has to be public.

The resolve() Function

A second way to resolve a dependency without decorators is to use resolve(). To use resolve() we have to create the function first.

import {createResolve} from "@owja/ioc";
export const resolve = createResolve(container);

Then we can resolve the dependency in classes and even functions.

class Example {
    private readonly service = resolve<Interface>(symbol);
    
    method() {
        this.service(/*...dependencie arguments*/).doSomething();
    }
}
function Example() {
    const service = resolve<Interface>(symbol);
    service(/*...dependencie arguments*/).doSomething();
}

Notice: We access the dependency trough a function. The dependency is not assigned directly to the property/constant. If we want direct access we can use container.get() but we should avoid using get() inside of classes because we then loose the lazy dependency resolving/injection behavior and caching.

The symbol

Symbols are used to identify our dependencies. A good practice is to keep them in one place.

export const TYPE = {
    "Service" = Symbol("Service"),
    // [...]
}

Symbols can be defined with Symbol.for() too. This way they are not unique. Remember Symbol('foo') === Symbol('foo') is false but Symbol.for('foo') === Symbol.for('foo') is true

export const TYPE = {
    "Service" = Symbol.for("Service"),
    // [...]
}

Since 1.0.0-beta.3 we use the symbol itself for indexing the dependencies. Prior to this version we indexed the dependencies by the string of the symbol.

:new: Type-Safe Token (new in 2.0)

With version 2 we added the possibility to use a type-safe way to identify our dependencies. This is done with tokens:

export TYPE = {
    "Service" = token<MyServiceInterface>("Service"),
    // [...]
}

In this case the type MyServiceInterface is inherited when using container.get(TYPE.Service), resolve(TYPE.Service) and wire(this, "service", TYPE.Service)and does not need to be explicitly added. In case of the decorator @inject(TYPE.Service) it needs to be added but it throws a type error if the types don't match:

class Example {
    @inject(TYPE.Service/*, [tags], ...dependencie arguments*/) // throws a type error because WrongInterface is not compatible with MyServiceInterface
    readonly service!: WrongInterface;
}

Correkt:

class Example {
    @inject(TYPE.Service/*, [tags], ...dependencie arguments*/)
    readonly service!: MyServiceInterface;
}

:new: Plugins (new in 2.0)

Plugins are a way to hook into the dependency resolving process and execute code which can access the dependency and also the dependent object.

A plugin can add directly to a dependency or to the container.

container.bind(symbol).to(MyService).withPlugin(plugin);
container.addPlugin(plugin);

The plugin is a simple function which has access to the dependency, the target (the instance which requires the dependency), the arguments which are passed, the token or symbol which represents the dependency and the container.

type Plugin<Dependency = unknown> = (
    dependency: Dependency,
    target: unknown,
    args: symbol[],
    token: MaybeToken<Dependency>,
    container: Container,
) => void;

Plugin Example

The following code is a plugin which links a preact view component to a service by calling forceUpdate every time the service executes the listener:

import {Plugin} from "@owja/ioc";
import {Component} from "preact";

export const SUBSCRIBE = Symbol();

export const serviceListenerPlugin: Plugin<Listenable> = (service, component, args) => {
    if (args.indexOf(SUBSCRIBE) === -1 || !component) return;
    if (!isComponent(component)) return;

    const unsubscribe = service.listen(() => component.forceUpdate());
    const unmount = component.componentWillUnmount;

    component.componentWillUnmount = () => {
        unsubscribe();
        unmount?.();
    };
};

function isComponent(target: unknown) : target is Component {
    return  !!target && typeof target === "object" && "forceUpdate" in target;
}

interface Listenable {
    listen(listener: () => void): (
View on GitHub
GitHub Stars301
CategoryDevelopment
Updated1mo ago
Forks13

Languages

TypeScript

Security Score

100/100

Audited on Feb 11, 2026

No findings