Needle is a lightweight & powerful dependency injection container for supporting the development of universal code with full semantic runtime injection. It helps you increase the testability of your applications as well as decoupling your code more effectively
npm install @morgan-stanley/needle
Required Typescript version: >3.4
The library depends on TypeScript's support for decorators. Therefore you must enable experimentalDecorators
and emitDecoratorMetadata
{
"compilerOptions": {
"experimentalDecorators": true,
"emitDecoratorMetadata": true
}
}
- Simple & lightweight
- Can be used in many different JavaScript contexts: node, browsers, angular, react or vanilla js
- Provides a non-invasive way to stand up a tree of dependencies
- Increases your code testability
- Support semantic versioning injection
This library will work with modern browsers and JavaScript run-times without the need for polyfills, however if targeting older browsers like IE11 you will need to provide a polyfill for the following types.
- Map - Read about the Map type here
- Symbol - Read about the Symbol type here
Note Symbol support is optional and only required if you intend to use Symbols for your token registrations.
This library also makes use of the reflect-metadata
API for performing runtime introspection. Most browsers will not support this therefore you must install this yourself.
npm install reflect-metadata
And you should import this module at the root of your application.
import "reflect-metadata";
Feature | Sub-feature | Details | Status |
---|---|---|---|
Decorator support | Using '@decorators' to signal behavior | Full Support | |
Optional decorators | Supporting decorator free injection | Full Support | |
TypeScript support | Full TypeScript support with type safety | Full Support | |
Global configuration | Ability to configure global settings in the container | Full Support | |
Semantic Injection | Ability to respect semantic versioning in all injectable types | Full Support | |
Cache | Caching of injectables | Full Support | |
Cache manipulation | Ability to directly manipulate the cache | Full Support | |
Scoping support | Caching support in scoped injectors | Full Support | |
Metrics | Tracking injectables in the system | Full Support | |
Auto tracking | Zero config tracking model | Full Support | |
Activation tracking | Tracking when a type is first constructed | Full Support | |
Activation owners | Tracking what type is responsible for constructing an Injectable | Full Support | |
Resolution statistics | Details of how often a type has been resolved etc | Full Support | |
Creation cost | Cost in time to construct the Injectable | Full Support | |
Dependency counts | Number of dependencies a given type has in its constructor | Full Support | |
Scoping support | Are metrics tracked in scoped injectors | Full Support | |
Metrics manipulation | Can developers manipulate the metric data | Full Support | |
Tokenisation | Does the DI library support tokenisation | Full Support | |
Decorator support | Can you define tokens using '@decorators' | Full Support | |
API support | Can you define tokens using an API | Full Support | |
String tokens | Can I use strings as tokens | Full Support | |
Symbol tokens | Can I use Symbols as tokens | Full Support | |
Multiple tokens | Can I register multiple tokens for a single injectable | Full Support | |
Token overriding | Can I override existing token registrations | Full Support | |
Unique token enforcement | Can I enforce unqiue tokens | Full Support | |
Scoping support | Are tokens supported in scoped injectors | Full Support | |
Strategies | Does the DI library support injecting multiple injectables into a given constructor | Full Support | |
Decorator support | Can I use @decorators to register a strategy |
Full Support | |
API support | Can I use the API to register a strategy | Full Support | |
String tokens | Can I register strategies using strings | Full Support | |
Symbol tokens | Can I register strategies using Symbols | Full Support | |
Scoping support | Are strategies supported in scoped injectors | Full Support | |
Factories | Does the DI library support factory construction types | Full Support | |
Decorator support | Can I use @decorators to resolve a factory |
Full Support | |
API support | Can I use API to resolve a factory | Full Support | |
Scoping support | Are factories supported in scoped injectors | Full Support | |
Auto factories | Can all types be used as Factories | Full Support | |
Parameter profiling | Can I control constructor parameters explicitly | Full Support | |
Lazy Injection | Does the DI library support lazy dependency injection | Full Support | |
Decorator support | Can I use @decorators to register/resolve a lazy injectable |
Full Support | |
API support | Can I use the API to register/resolve a lazy injectable | Full Support | |
Scoping support | Are lazy injectables supported in scoped injectors | Full Support | |
Optional Injection | Does the DI library support optional constructor params for injection | Full Support | |
Decorator support | Can I use @decorators to resolve optional injectable |
Full Support | |
API support | Can I use the API to register/resolve a optional injectable | Full Support | |
Scoping support | Are optional injectables supported in scoped injectors | Full Support | |
Instance Injection | Does the DI library support registering instances against a type | Full Support | |
API support | Can I use the API to register an instance of a type for injection | Full Support | |
Scoping support | Are instances supported in scoped injectors | Full Support | |
Value Injection | Does the DI library allow for registering a value for injection (Non-injectable types) | Full Support | |
Intrinsic values | Can I register intrinsic types such as Date, Regex, Number | Full Support | |
AOT values | Can I eagerly supply the value for the value injection | Full Support | |
JIT values | Can I compute the value at point of injection | Full Support | |
Dynamic values | Can I recompute the value being injected on each resolution | Full Support | |
Custom Construction | Does the DI library support construction external to the library itself | Full Support | |
Bespoke type construction | Can I create my own constructor for a given type | Full Support | |
Global bespoke construction | Can I create a global constructor for all types | Full Support | |
Abstract type construction | Can I create a constructor for abstract base types | Full Support | |
Scoping support | Are custom constructors supported in scoped injectors | Full Support | |
Hierarchical injection | Does the DI library support scoped injection contexts | Full Support | |
String scope names | Can I use strings for scope names | Full Support | |
Symbol scope names | Can I use Symbols for scoped names | Full Support | |
Registration overriding | Can I override ancestral registration in my scope | Full Support | |
Disposal | Can I destroy a scope | Full Support | |
Scope lookup | Can I find a scope easily using its name or id. | Full Support | |
Scope inheritance | Can scopes extend other scopes | Full Support | |
Interception | Does the DI library support interceptors | Full Support | |
Decorator support | Can I register interceptions using @decorators |
Full Support | |
API support | Can I register interceptions using the API | Full Support | |
Before construction interception | Can I intercept a given type before its constructed | Full Support | |
After construction interception | Can I intercept a given type after its constructed | Full Support | |
Injection delegation | Can I delegate all construction to another DI library. | Full Support |
This library performs runtime introspection in order to determine what types it should construct. To do this the library uses metadata and generally this metadata will be implicitly captured for you if you have enabled TypeScripts emitDecoratorMetadata
and a class is decorated with any decorator. However, you do not need to use decorators if you do not wish to. In the case where no decorators are applied you will need to manually provide the metadata via the registration API. Note Managing the metadata explicitly can be time consuming so we recommend using the auto generated metadata approach by default.
The easiest way to make a type injectable is to decorate it with the @Injectable decorator. All types by default decorated in this way will be available for injection in any runtime context.
import { Injectable } from '@morgan-stanley/needle';
@Injectable()
class Pet {}
@Injectable()
class Owner {
constructor(pet: Pet) {}
}
While decorators are recommended, you can also achieve the same using the Injector API. You gain access to this API by importing the getRootInjector
function. IMPORTANT If you have decided not to use decorators for you injectable types, you will need to provide the constructor metadata explicitly. Below is an example of how you can do that.
import { getRootInjector } from '@morgan-stanley/needle';
class Pet {}
class Owner {
constructor(pet: Pet) {}
}
//Equivalent to decorator
getRootInjector().register(Owner, { metadata: Pet }).register(Pet)
In order to resolve an instance of your injectable you have a couple of options. You can use the getRootInjector
function which you can import from the main package. This function returns an instance of the Injector
API.
import { getRootInjector } from '@morgan-stanley/needle';
const myThing = getRootInjector().get(Owner);
Alternatively, you can import the get
function directly.
import { get } from '@morgan-stanley/needle';
const myThing = get(Owner);
Both examples map to the same underlying implementation and use the root injector to resolve an instance. Resolving the same type twice will result in the same instance being serviced from the cache.
import { getRootInjector, get } from '@morgan-stanley/needle';
const owner1 = getRootInjector().get(Owner);
const owner2 = get(Owner);
console.log(owner1 === owner2) //True
All child dependencies (in this case Pet
) will be automatically resolved for the Owners
constructor.
Tokens allow us to provide a marker to the injector whereby the type we are going to be injecting either cannot be imported or we wish to use an interface instead. Every injectable in the system can be registered with either zero or more tokens. A single type can register itself against multiple tokens. Tokens can be defined using a string
or symbol
The simplest way to register your type against a token is to use the tokens array defined in the @Injectable
decorator. here we have a type GeographyStudent
who defines a string geography-student
upon which this type can be resolved.
import { Injectable } from '@morgan-stanley/needle';
@Injectable({
tokens: ['geography-student'],
})
export class GeographyStudent extends Student {}
The API equivalent of this registration is shown below.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().register(GeographyStudent, { tokens: ['geography-student'] });
As stated, you are not limited to just one 1 token per type. Simply add additional tokens to the list if you require more.
import { Injectable } from '@morgan-stanley/needle';
@Injectable({
tokens: ['geography-student', 'student'],
})
export class GeographyStudent extends Student {}
Using strings as tokens for most teams is perfectly acceptable, however often in large code bases it is possible to run into naming collisions. In order to resolve this issue you can instead adopt Symbols
instead to define your tokens. Below is an example of two registrations where the Symbol names overlap but will not pollute each other when resolutions are made as Symbols are unique.
import { getRootInjector } from '@morgan-stanley/needle';
const pricingSymbol1 = Symbol.for('pricing');
const pricingSymbol2 = Symbol.for('pricing');
getRootInjector().configuration.allowDuplicateTokens = false;
getRootInjector()
.register(PricingServiceV1, { tokens: [pricingSymbol1] })
.register(PricingServiceV2, { tokens: [pricingSymbol2] }); //No exception thrown as Symbols are unique
To resolve a type by token we can make use of the @Inject
decorator. In the constructor of a given injectable we can mark one of the parameters with @Inject
providing a token which we wish to resolve. Note, the parameter type does not need to match the type of the injected value. This is what allows us to use either interfaces or a sub type as a replacement for the real type.
@Injectable()
export class GeographyTeacher extends Person {
constructor(@Inject('geography-student') public student: Student) {
super();
}
}
The API equivalent of this registration is shown below.
import { getRootInjector } from '@morgan-stanley/needle';
export class GeographyTeacher extends Person {
constructor(public student: IStudent) {
super();
}
}
const argumentIndex = 0;
getRootInjector()
.register(GeographyTeacher)
.registerParamForTokenInjection('geography-student', GeographyTeacher, argumentIndex);
It is often the case that you may want to resolve a different type instance as a replacement for say a default one. For example, say you have a Pricing service which for new customers you want to use the new pricing models but for existing customers you will use the old pricing model.
Using token injection we follow a last in first out (LIFO
). Therefore, the last Injectable to be registered to a given token is the one that will be resolved.
Note: the configuration must be set to allowDuplicateTokens
for this to be possible.
import { getRootInjector, Injectable } from '@morgan-stanley/needle';
getRootInjector().configuration.allowDuplicateTokens = true;
@Injectable(
tokens: ['pricing']
)
export class PricingServiceV1 implements IPricing {}
@Injectable(
tokens: ['pricing']
)
export class PricingServiceV2 implements IPricing {}
@Injectable()
export class CustomerPricing {
constructor(@Inject('pricing') private pricing: IPricing) {
console.log(pricing instanceof PricingServiceV2) // true
super();
}
}
The API equivalent of this registration is shown below.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().configuration.allowDuplicateTokens = true;
const argumentIndex = 0;
getRootInjector()
.register(PricingServiceV1, { tokens: ['pricing'] })
.register(PricingServiceV2, { tokens: ['pricing'] })
.register(CustomerPricing)
.registerParamForTokenInjection('pricing', CustomerPricing, argumentIndex);
If you wish to restrict duplicate tokens in the system you can control this using the configuration. Note, the default is already set to false
.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().configuration.allowDuplicateTokens = false;
getRootInjector()
.register(PricingServiceV1, { tokens: ['pricing'] })
//Exception thrown here
.register(PricingServiceV2, { tokens: ['pricing'] });
Strategies allow us to register multiple type providers against a given strategy key and then inject an array of all the strategies in the given consumer class. An injectable type can both exist as a strategy and pure injectable at the same time.
Creating strategies can be achieved using the @Injectable
decorator or the API. Both approaches make use of the strategy
property on the injectable config.
import { Injectable } from '@morgan-stanley/needle';
interface IStrategy {}
@Injectable({
strategy: 'work-strategies',
})
export class Strategy1 implements IStrategy {}
// tslint:disable-next-line:max-classes-per-file
@Injectable({
strategy: 'work-strategies',
})
export class Strategy2 implements IStrategy {}
or registering via the API would look like this.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector()
.register(Strategy1, {
strategy: 'work-strategies',
})
.register(Strategy2, {
strategy: 'work-strategies',
});
To avoid naming conflicts that can occur with strings, you can also use symbols
for your strategy names. Below is an example of this using the injector API.
import { getRootInjector } from '@morgan-stanley/needle';
const strategySymbol = Symbol.for('work-strategies');
getRootInjector()
.register(Strategy1, {
strategy: strategySymbol,
})
.register(Strategy2, {
strategy: strategySymbol,
});
When it comes to injecting lists of strategies we can use the @Strategy
decorator to mark that we expect an array of strategies. You can register consumers of strategies using this decorator or the API.
import { Injectable, get } from '@morgan-stanley/needle';
@Injectable()
export class StrategyConsumer {
constructor(@Strategy('work-strategies') public workStrategies: IStrategy[]) {}
}
const instance = get(StrategyConsumer);
console.log(instance.workStrategies.length) // 2 strategies
Or using the API we can resolve a list of strategies in the following way.
import { getRootInjector } from '@morgan-stanley/needle';
const strategies = getRootInjector().getStrategies('work-strategies');
console.log(strategies.length) // 2 strategies
It is often the case that you need to be able to construct types with specific context or dependencies. For these use cases you can rely on factories.
All types registered with the container can be used as factories. There is no special registration required.
There are two ways to resolve a factory. Explicitly using the API or via the @Factory
decorator. Below are examples of both types of resolution.
import { getRootInjector } from '@morgan-stanley/needle';
const carFactory = getRootInjector().getFactory(Car)
console.log(carFactory) // Defined
Example of decorator.
@Injectable()
class CarManufacturer {
constructor(@Factory(Car) private carFactory: AutoFactory<typeof Car>) {}
}
In each case the consumer will be returned an AutoFactory
. The AutoFactory provides a type safe create
method in order to construct a new instance of the target type.
@Injectable()
class Engine {}
@Injectable()
class Car extends Vehicle {
constructor(public engine: Engine, public numberOfDoor = 2) {
super('Car');
}
}
const factory: AutoFactory<typeof Car> = getRootInjector().getFactory(Car);
const carWithFourDoors = factory.create(undefined, 4);
const carWithSuperPowerfulEngine = factory.create(new SuperPowerfulEngine());
If you prefer not to pass undefined to the factory, there is also a named constant AUTO_RESOLVE
which can be used instead.
factory.create(AUTO_RESOLVE, 4);
If you would not like the injector to auto resolve the value for engine and you wanted to actually return null
or undefined
you can use well known injector values (UNDEFINED_VALUE
, NULL_VALUE
) to achieve this.
@Injectable()
import { NULL_VALUE, UNDEFINED_VALUE} from '@morgan-stanley/needle';
const factory: AutoFactory<typeof Car> = getRootInjector().getFactory(Car);
const carWithEmptyEngine = factory.create(UNDEFINED_VALUE, 4);
const carWithNoEngine = factory.create(NULL_VALUE);
carWithEmptyEngine.engine === undefined //True
carWithNoEngine.engine === null //True
IMPORTANT
: You can only pass undefined to constructor params which either support injection or default value. Type safety must be adhered to so SuperPowerfulEngine
in this case must extend Engine
type to be valid to the compiler.
In certain situations, constructing the entire dependency tree can either be expensive or alternatively might introduce side effects you want to avoid. In those cases Lazy
injectables can be useful. Lazy injectables provide a placeholder injection type of LazyInstance<T>
which will only construct the target injectable when its value property is read.
All types registered with the container can be used with lazy injection. There is no special registration required.
There are two ways to resolve a Lazy. Explicitly using the API or via the @Lazy
decorator. Below are examples of both types of resolution.
import { getRootInjector } from '@morgan-stanley/needle';
const carLazy = getRootInjector().getLazy(Car)
console.log(carLazy) // Defined
We can trigger realization of the target injectable value by reading the lazy's value
property.
const carInstance = carLazy.value;
We can also check to see if the lazy's value has been generated by reading the hasValue
property.
let hasValue = carLazy.hasValue //False;
const carInstance = carLazy.value;
hasValue = carLazy.hasValue //True;
We can use the @Lazy
decorator to signal to the injector that we would like a lazy to be provided in place of the real injectable.
@Injectable()
class CarManufacturer {
constructor(@Lazy(Car) private carLazy: LazyInstance<typeof Car>) {}
}
In some environments it will not always be the case that an injectable type has been registered with the injector. For these scenarios you can leverage the @Optional
decorator which will allow the injector to resolve undefined
if no matching registration can be found.
All constructor types can be used with optional injection. There is no special registration required.
We can use the @Optional
decorator to signal to the injector that we would like it to resolve undefined
if no registrations can be found. Below is an example of a constructor for a Car type which supports optional storage.
@Injectable()
class Car {
constructor(@Optional() private storage?: Storage) {
console.log(storage) //Undefined
}
}
You can also resolve an optional injectable using the getOptional
method on the injector api.
const car = injector.getOptional(Car) //Undefined
The @Optional
decorator and the getOptional
method also accept tokens to optionally inject:
@Injectable()
class Car {
constructor(@Optional("storageToken") private storage?: Storage) {
console.log(storage) //Undefined
}
}
const car = injector.getOptional("carToken") //Undefined
There are sometimes where you do not want the injection container to create the type. Instead you want to take an already existing instance and register it against a type. For this you can use registerInstance
on the injector.
import { getRootInjector } from '@morgan-stanley/needle';
const vehicle = new Vehicle('Bike');
getRootInjector().registerInstance(Vehicle, vehicle);
const instance = get(Vehicle);
console.log(instance === vehicle) // True
There are times where you may require more granular control of a specific types construction. This may be because you want to resolve the the type from a different injection container, the type may not be Newable
consider the case of an abstract class or for a variety of other reasons. In order to support this, needles injectable config provides a resolution
property which can be used to specify your own external resolution strategy.
If you want to entirely own the process of constructing a given type you can define an ExternalResolutionStrategy
which will be used in place of needles construction logic. Below shows an example of registering our own resolution strategy against a given type using the decorator approach. The resolution
takes a resolver function where you can perform your custom construction and an additional flag (cacheSyncing
) signalling to needle if it should store the result in its internal cache.
@Injectable({
resolution: {
resolver: (_injector, _args) => new SuperCar(),
cacheSyncing: true,
}
})
class SuperCar {}
The same can be achieved using the injector API.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().register(SuperCar, {
resolution: {
resolver: (_injector, _args) => new SuperCar(),
cacheSyncing: true,
}
});
Some types cannot be constructed directly, these types instead require that we use a subtype which is considered Newable
. This is commonly the case where we have an abstract base class that we want to inject that into other types using the base class, but at the same time we need to provide a concrete instance.
In the example below we provide an example of this whereby we have an abstract Car
class which can be registered to a sub type, in this case SuperCar
.
Note: The resolution
property accepts a shorthand version whereby you provide just a compatible type for the super type. If this is used, needle will automatically do the type substitution for you. This makes overriding a base type very simple.
@Injectable({
resolution: SuperCar
})
abstract class Car {}
Or using the injector API
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().register(Car, { resolution: SuperCar });
In the section under Global Configuration you can learn about how you can use External Resolution Strategies to delegate construction globally and provide fallback strategies when performing interop with other container systems.
JavaScript has a number of intrinsic types that you may wish to inject directly into a constructor without the need for wrapping in a higher type. These types include Array
, Boolean
, Date
, Error
, Function
, JSON
, Number
, RegExp
and String
. In order to support direct injection of these types we can use the registerValue
method found on the injector. The registerValue
method only takes one parameter, the injection configuration object. There are two ways to resolve the value, you can either provide a value at point of registration or you can use a resolution strategy to resolve at point of use. Below are some examples to illustrate how this works.
@Injectable()
class SecurityContext {
constructor(@Inject('security-token') public securityToken: string){}
}
// Tokens are used the same as for other types.
getRootInjector().registerValue<string>({
tokens: ['security-token'],
value: 'TmVlZGxlIFByb2plY3Q=',
});
getRootInjector().registerValue<string>({
tokens: ['security-token'],
value: {
cacheSyncing: true,
resolver: _injector => Encryption.resolveUserContextToken(),
},
});
If you want the value to mutate on each request, you can set cacheSyncing
to false.
Note: As values have no associated type upon which to decorate, you can only use the Injector API to register values.
The injector tracks metrics about your injectable types during runtime. There are a range of different values captured and these are stored in the metrics provider which is accessible via the Injector type. The data is store as records and the below type shows the information captured.
export interface IMetricRecord {
/**
* The type who's metrics are being tracked
*/
type: any;
/**
* First activation time
*/
activated: Date;
/**
* What type constructed this type. (Defaults to self if bare resolution)
*/
activationTypeOwner: any;
/**
* The number of times this type has been resolved
*/
resolutionCount: number;
/**
* The last time this type resolved
*/
lastResolution: Date;
/**
* The number of types this type depends on based on constructor signature.
*/
dependencyCount: number;
/**
* The time it took to construct this type
*/
creationTimeMs: number;
}
There are a number of ways to read the metric data. To access via the injector instance simply do the following.
import { getRootInjector } from '@morgan-stanley/needle';
const metrics = getRootInjector().metrics;
You can easily dump
the data to the console using the following.
getRootInjector().metrics.dump();
You can reset the metrics by calling the reset
method.
getRootInjector().metrics.reset();
You read the metrics for a specific type by using the getMetricsForType
method.
getRootInjector().metrics.getMetricsForType(MyType);
You an read all the metric data by reading the data
property.
const records: IMetricRecord[] = getRootInjector().metrics.data;
Hierarchical injection (aka Scoped injection) is the ability to create new child injection scopes which descend from our primary root injector. There are many times when you may require scoped injection, normally they are associated with a given context in our app domains and provide the ability to deviate from the global registrations defined in the root injector.
Scoped injectors inherit their ancestors registrations by default, and then can override those with their own or add additional registrations as required.
Scoped injectors can also be created from other scopes, therefore allowing you to build complex hierarchies which can model your domain accurately.
To create a new injection scope we can call the createScope
method from any Injector
instance. When we create the new scope we must provide a name for the new scope.
const scopedInjector = getRootInjector().createScope('my-scoped-injector');
const amIScoped = scopedInjector.isScoped(); //True
By default scoped injectors inherit their parents registrations. Any updates to the parent scopes registrations automatically flow to the child scopes.
Therefore if a parent has defined a registration and we try and resolve that type from our scoped injector, then the type instance will be provided without error.
This is true no matter how deep the scope hierarchy is, as the resolution process walks up the tree until a valid registration is found. Example below.
const rootInjector = getRootInjector();
//Single registration
rootInjector.register(Child);
//Create 2 levels of scope
const level2Injector = rootInjector
.createScope('level-1')
.createScope('level-2');
//Instance of child (Serviced from root injector)
const child = level2Injector.get(Child);
The key reason to create a new scope is in order to provide overrides for a particular context in your applications. During the resolution process for a given type, the injector will first look towards its local registrations and if it finds a match will use that over any parent registrations. Therefore you can easily replace registrations from the hierarchy with your own and create instances localized to your scope and all child scopes within it.
const rootInjector = getRootInjector();
//Single registration
rootInjector.register(Child);
//Create 2 levels of scope
const level2Injector = rootInjector
.createScope('level-1')
.createScope('level-2');
//Create our scoped registrations
level2Injector
.register(Child) //override root registration
.registerInstance(Teacher, new Teacher('History'))
const child1 = rootInjector.get(Child);
const child2 = level2Injector.get(Child);
const teacher = level2Injector.get(Teacher);
child1 === child2 // False
rootInjector.get(Teacher); //Fails as no registration in parent scopes
As a scoped injector is no different to the root injector, the full registration API is available. Therefore you can create registrations of any kind.
If you want to resolve a scope you can do this either using the id
or name
of the scope. Below is an example.
const rootInjector = getRootInjector();
const level2Injector = rootInjector.createScope('level-1')
rootInjector.getScope(level2Injector.id);
rootInjector.getScope('level-1');
As scoped injectors sit in a tree they can be disposed of easily by calling dispose either on the scope directly or a parent scope.
const rootInjector = getRootInjector();
//Single registration
rootInjector.register(Child);
//Create 2 levels of scope
const level2Injector = rootInjector
.createScope('level-1')
.createScope('level-2');
const level1 = rootInjector.getScope('level-1');
const level2 = rootInjector.getScope('level-2');
level1.destroy();
level1.isDestroyed() //True;
level2.isDestroyed() //True;
Needle provides support for interception of construction using interceptors
. Interceptors provide the ability for developers to hook into a types construction both immediately before and after a type is instanced. This technique is useful when you need to configure an instance before that instance is injected into downstream consumers. For example, if we had a Car type which injected an Engine, we may wish to call the engine.tune() function before giving to the car instance. Interceptors are considered global inside of needle. Therefore if you create multiple scopes each instance being constructed will pass through the same set of interceptors.
To create an interceptor is simple, we simply implement an interface called IConstructionInterceptor
in our class. The interface is generic and there we can provide the Type that we wish to target as a generic param. Below is an example interceptor which implements the interface for the Engine type.
export class EngineInterceptor implements IConstructionInterceptor<typeof Engine> {
public readonly target: typeof Engine = Engine;
public beforeCreate(context: IInjectionContext<typeof Engine>): void {
console.log(context);
}
public afterCreate(instance: Engine, context: IInjectionContext<typeof Engine>): void {
console.log(instance);
console.log(context);
}
}
The interface requires we implement 3 members
target
- The type we wish to interceptbeforeCreate
- A method that will be invoked directly before the type instanced and after all its constructor args are resolved.afterCreate
- A method that will be invoked immediately after the target type was instanced.
Each method call will receive an injection context
object which provides information about the context of injection. This includes information such as the injector instance resolving the type, the configuration used during construction and an array of constructor args.
There are two ways to register an interceptor in the system, you can either decorate your class with @Interceptor()
. The decorator approach essentially makes you interceptor an injectable so that you can inject other dependencies into it. The other approach is to use the injector API and provide an instance manually. Note: Decorated interceptors will be constructed at point of registration.
//Decorated
@Interceptor()
class EngineInterceptor{}
//Explicit
injector.registerInterceptor(new EngineInterceptor());
Note, regardless of the scope of the injector all interceptors will be registered with the the root injector.
When constructing a tree of dependencies the hierarchy can get very deep, this is especially so if a circular reference is encountered. Determining if this is the case can be difficult which is where maxTreeDepth
can help. Setting this value (defaults to 500
) will set a max limit on the depth of the tree being created. If the limit is reached an exception will be thrown.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().configuration.maxTreeDepth = 1000;
By default the injector will track common metric information about types in the system. This includes information such as first activation time, number of resolutions, cost of construction etc. You can disable metrics tracking by setting the trackMetrics
flag to false.
import { getRootInjector } from '@morgan-stanley/needle';
getRootInjector().configuration.trackMetrics = false;
In certain environments you will want to delegate type construction to an external DI container or custom constructor function. The externalResolutionStrategy
is what makes this possible. When you define this strategy all construction will be delegated to that strategy and the internal type resolution strategy will be ignored. If however you want to adopt a fallback strategy, first checking your external resolver then falling back to this injector you can achieve this by returning a special value TYPE_NOT_FOUND
which will signal to needle that it should now attempt to resolve the type as the external one couldn't. This mechanism allows developers to completely control type construction so that they can inject their own pipelines into the process.
import { getRootInjector, IInjector, TYPE_NOT_FOUND } from '@morgan-stanley/needle';
const dummyStrategy: IExternalResolutionConfiguration = {
resolver: (type: any, currentInjector: IInjector, locals?: any[]) => {
if(type === MyCustomType){
return new MyCustomType();
} else {
return TYPE_NOT_FOUND;
}
}
cacheSyncing: true;
}
getRootInjector().configuration.externalResolutionStrategy = dummyStrategy;
Setting cacheSyncing
to true
will ensure that our local cache will be updated when each type instance is resolved. This is useful when you are performing bridging between an external container and the local one. Technically tho, if the external DI strategy is implementing caching you will not need to sync the cache and instead re-request to the strategies resolver should result in a cached instance.
When working with other libraries you may wish to resolve a list of types that have been registered with the container. For this there are three utility methods you can use getRegisteredTypes
, getRegisteredTypesWithDependencies
and getRegisteredTypesWithFactories
.
import { getRegisteredTypes } from '@morgan-stanley/needle';
const types = getRegisteredTypes() //Returns an array of raw types.
const typesWithDeps = getRegisteredTypesWithDependencies() //Returns an Array<{provide: any, deps: Array<>any}>
const typesWithFactories = getRegisteredTypesWithFactories() //Returns an Array<{provide: any, useFactory: () => T)}>
Node's module resolution works on a folder hierarchy where an applications dependencies are stored in a node_modules
folder and dependencies can either be shared across multiple transient dependencies or localized to a specific dependency's needs. This means that if you have an npm package installed in your app that has a dependency on [email protected] and another that uses [email protected], both can co-exist in the same app domain.
This is a powerful feature of the node/npm ecosystem and one that developers take advantage of everyday when building their apps. However, it is often the case that this semantic version isolation is not extended to your DI container. This is something this library is trying help with.
When constructing a tree of dependencies our DI container will guarantee that each injected instance into a constructor will match the semantic version the consuming code was built against. This means that you can introduce new versions of libraries into your application in a more natural and safe manner, avoiding big bang migrations. The DI system will automatically manage the what and where of injection into your types.
Further, due to the way npm organizes semantic versions, if you have two or more dependencies in your app that rely on foo@^1.x.x, then npm will determine what is the latest compatible version of the @foo dependency being used and then synchronize all the others to use that by de-duping out older versions. So versions 1.1.1 and 1.2.1 would be aligned to 1.5.0 if that was being used. Read more about that here
Semantic injection is a powerful technique for isolating change and instead letting it trickle through your system. It can extend all the way through your package hierarchy and requires little effort from the developers to manage.
If you want to integrate this library with Angular's dependency injection system it's a pretty easy thing to do. In the main.ts
file of your Angular app you can resolve all the registered providers and then pass them to the platformBrowserDynamic
call.
import 'reflect-metadata';
import { platformBrowserDynamic } from '@angular/platform-browser-dynamic';
import { getRegisteredTypesWithFactories } from '@morgan-stanley/needle';
import { AppModule } from 'app/app.module';
const providers = getRegisteredTypesWithFactories();
platformBrowserDynamic(providers)
.bootstrapModule(AppModule)
.catch(err => console.error(err));
It is important to note that the decorators provided by Needle cannot be used directly within the constructor of an Angular component. Angular is not aware of these decorators so it is unable to resolve the required instances at runtime. When working with Angular components the Injector
API should be used instead. To access the Injector
API inject an instance of the Injector
directly into your component.
import { Injector } from '@morgan-stanley/needle';
@Component({
selector: 'my-component',
templateUrl: './my-component.html',
styleUrls: ['./my-component.scss']
})
export class MyComponent {
constructor(injector: Injector) {
// Example resolutions
const strategies = injector.getStrategies('work-strategies');
const carLazy = injector.getLazy(Car);
}
}