Security News
JSR Working Group Kicks Off with Ambitious Roadmap and Plans for Open Governance
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
@adonisjs/fold
Advanced tools
Simplest and straight forward implementation for IoC container in JavaScript
Simplest, straightforward implementation for IoC container in JavaScript
Many existing implementations of IoC containers take the concept too far and start to feel more like Java. JavaScript inherently does not have all the bells and whistles; you need to have similar IoC container benefits as PHP or Java.
Therefore, with this project, I live to the ethos of JavaScript and yet build a container that can help you create loosely coupled systems.
I have explained the reasons for using an IoC container in this post. It might be a great idea to read the post first ✌️
Note: AdonisJS fold is highly inspired by the Laravel IoC container. Thanks to Taylor for imaginging such a simple, yet powerful API.
@adonisjs/fold
easy to read and follow.@adonisjs/fold
works with vanilla JavaScript. It's just you have to write less code when using TypeScript. Thanks to its decorators metadata API.Install the package from the npm packages registry.
npm i @adonisjs/fold
# yarn lovers
yarn add @adonisjs/fold
# pnpm followers
pnpm add @adonisjs/fold
Once done, you can import the Container
class from the package and create an instance of it. For the most part, you will use a single instance of the container.
import { Container } from '@adonisjs/fold'
const container = new Container()
You can construct an instance of a class by calling the container.make
method. The method is asynchronous since it allows for lazy loading dependencies via factory functions (More on factory functions later).
class UserService {}
const service = await container.make(UserService)
assert(service instanceof UserService)
In the previous example, the UserService
did not have any dependencies; therefore, it was straightforward for the container to make an instance of it.
Now, let's look at an example where the UserService
needs an instance of the Database class.
class Database {}
class UserService {
static containerInjections = {
_constructor: [Database],
}
constructor(db) {
this.db = db
}
}
const service = await container.make(UserService)
assert(service.db instanceof Database)
The static containerInjections
property is required by the container to know which values to inject when creating an instance of the class.
This property can define the dependencies for the class methods (including the constructor). The dependencies are defined as an array. The dependencies are injected in the same order as they are defined inside the array.
Do you remember? I said that JavaScript is not as powerful as Java or PHP. This is a classic example of that. In other languages, you can use reflection to look up the classes to inject, whereas, in JavaScript, you have to tell the container explicitly.
Wait, you can use decorators with combination of TypeScript's emitDecoratorMetaData option to perform reflection.
It is worth noting, TypeScript decorators are not as powerful as the reflection API in other languages. For example, in PHP, you can use interfaces for reflection. Whereas in TypeScript, you cannot.
With that said, let's look at the previous example, but in TypeScript this time.
import { inject } from '@adonisjs/fold'
class Database {}
@inject()
class UserService {
constructor(db: Database) {
this.db = db
}
}
const service = await container.make(UserService)
assert(service.db instanceof Database)
The @inject
decorator looks at the types of all the constructor parameters and defines the static containerInjections
property behind the scenes.
Note: The decorator-based reflection can only work with concrete values, not with interfaces or types since they are removed during the runtime.
When calling the container.make
method, you can pass runtime values that take precedence over the containerInjections
array.
In the following example, the UserService
accepts an instance of the ongoing HTTP request as the 2nd param. Now, when making an instance of this class, you can pass that instance manually.
import { inject } from '@adonisjs/fold'
import { Request } from '@adonisjs/core/src/Request'
class Database {}
@inject()
class UserService {
constructor(db: Database, request: Request) {
this.db = db
this.request = request
}
}
createServer((req) => {
const runtimeValues = [undefined, req]
const service = await container.make(UserService, runtimeValues)
assert(service.request === req)
})
In the above example:
Database
class since it is set to undefined
inside the runtime values array.request
), the container will use the req
value.You can also call class methods to look up/inject dependencies automatically.
In the following example, the UserService.find
method needs an instance of the Database class. The container.call
method will look at the containerInjections
property to find the values to inject.
class Database {}
class UserService {
static containerInjections = {
find: [Database],
}
async find(db) {
await db.select('*').from('users')
}
}
const service = await container.make(UserService)
await container.call(service, 'find')
The TypeScript projects can re-use the same @inject
decorator.
class Database {}
class UserService {
@inject()
async find(db: Database) {
await db.select('*').from('users')
}
}
const service = await container.make(UserService)
await container.call(service, 'find')
The runtime values are also supported with the container.call
method.
Alongside making class instances, you can also register bindings inside the container. Bindings are simple key-value pairs.
string
, a symbol
or a class constructor
.const container = new Container()
container.bind('db', () => {
return new Database()
})
const db = await container.make('db')
assert(db instanceof Database)
Following is an example of binding the class constructor to the container and self constructing an instance of it using the factory function.
container.bind(Database, () => {
return new Database()
})
The factory receives the following three arguments.
resolver
reference. Resolver is something container uses under the hood to resolve dependencies. The same instance is passed to the factory, so that you can resolve dependencies to construct the class.container.make
call.container.bind(Database, (resolver, runtimeValues) => {
return new Database()
})
I am answering this question from a framework creator perspective. I never use the @inject
decorator on my classes shipped as packages. Instead, I define their construction logic using factory functions and keep classes free from any knowledge of the container.
So, if you create packages for AdonisJS, I highly recommend using factory functions. Leave the @inject
decorator for the end user.
You can bind a singleton to the container using the container.singleton
method. It is the same as the container.bind
method, except the factory function is called only once, and the return value is cached forever.
container.singleton(Database, () => {
return new Database()
})
Along side the factory functions, you can also bind direct values to the container.
container.bindValue('router', router)
The values are given priority over the factory functions. So, if you register a value with the same name as the factory function binding, the value will be resolved from the container.
The values can also be registered at the resolver level. In the following example, the Request
binding only exists for an isolated instance of the resolver and not for the entire container.
const resolver = container.createResolver()
resolver.bindValue(Request, req)
await resolve.make(SomeClass)
Container aliases allows defining aliases for an existing binding. The alias should be either a string
or a symbol
.
container.singleton(Database, () => {
return new Database()
})
container.alias('db', Database)
/**
* Make using the alias
*/
const db = await container.make('db')
assert.instanceOf(db, Database)
Contextual bindings allows you to register custom dependency resolvers on a given class for a specific dependency. You will be mostly using contextual bindings with driver based implementations.
For example: You have a UserService
and a BlogService
and both of them needs an instance of the Drive disk to write and read files. You want the UserService
to use the local disk driver and BlogService
to use the s3 disk driver.
Note Contextual bindings can be defined for class constructors and not for container bindngs
import { Disk } from '@adonisjs/core/driver'
class UserService {
constructor(disk: Disk) {}
}
import { Disk } from '@adonisjs/core/driver'
class BlogService {
constructor(disk: Disk) {}
}
Now, let's use contextual bindings to tell the container that when UserService
needs the Disk
class, provide it the local driver disk.
container
.when(BlogService)
.asksFor(Disk)
.provide(() => drive.use('s3'))
container
.when(UserService)
.asksFor(Disk)
.provide(() => drive.use('local'))
When using the container to resolve a tree of dependencies, quite often you will have no control over the construction of a class and therefore you will be not able to swap/fake its dependencies when writing tests.
In the following example, the UsersController
needs an instance of the UserService
class.
@inject()
class UsersController {
constructor (service: UserService) {}
}
In the following test, we are making an HTTP request that will be handled by the UsersController
. However, within the test, we have no control over the construction of the controller class.
test('get all users', async ({ client }) => {
// I WANTED TO FAKE USER SERVICE FIRST?
const response = await client.get('users')
})
To make things simpler, you can tell the container to use a swapped implementation for a given class constructor as follows.
test('get all users', async ({ client }) => {
class MyFakedService extends UserService {}
/**
* From now on, the container will return an instance
* of `MyFakedService`.
*/
container.swap(UserService, () => new MyFakedService())
const response = await client.get('users')
})
You can pass an instance of the EventEmitter or emittery to listen for events as container resolves dependencies.
import { EventEmitter } from 'node:events'
const emitter = new EventEmitter()
emitter.on('container:resolved', ({ value, binding }) => {
// value is the resolved value
// binding name can be a mix of string, class constructor, or a symbol.
})
const container = new Container({ emitter })
You can use container hooks when you want to modify a resolved value before it is returned from the make
method.
Note: The hook callback can also be an async function
container.resolving(Validator, (validator) => {
validate.rule('email', function () {})
})
Container providers are static functions that can live on a class to resolve the dependencies for the class constructor or a given class method.
Once, you define the containerProvider
on the class, the IoC container will rely on it for resolving dependencies and will not use the default provider.
import { ContainerResolver } from '@adonisjs/fold'
import { ContainerProvider } from '@adonisjs/fold/types'
class UsersController {
static containerProvider: ContainerProvider = (
binding,
property,
resolver,
defaultProvider,
runtimeValues
) => {
console.log(binding === UserService)
console.log(this === UserService)
return defaultProvider(binding, property, resolver, runtimeValues)
}
}
Custom providers can be handy when creating an instance of the class is not enough to construct it properly.
Let's take an example of AdonisJS route model binding. With route model binding, you can query the database using models based on the value of a route parameter and inject the model instance inside the controller.
import User from '#models/User'
import { bind } from '@adonisjs/route-model-binding'
class UsersController {
@bind()
public show(_, user: User) {}
}
Now, if you use the @inject
decorator to resolve the User
model, then the container will only create an instance of User and give it back to you.
However, in this case, we want more than just creating an instance of the model. We want to look up the database and create an instance with the row values.
This is where the @bind
decorator comes into the picture. To perform database lookups, it registers a custom provider on the UsersController
class.
If you are using the container inside a TypeScript project, then you can define the types for all the bindings in advance at the time of creating the container instance.
Defining types will ensure the bind
, singleton
and bindValue
method accepts only the known bindings and assert their types as well.
class Route {}
class Databse {}
type ContainerBindings = {
route: Route
db: Database
}
const container = new Container<ContainerBindings>()
// Fully typed
container.bind('route', () => new Route())
container.bind('db', () => new Database())
// Fully typed - db: Database
const db = await container.make('db')
The error occurs, when you are trying to inject a value that cannot be constructed. A common source of issue is within TypeScript project, when using an interface
or a type
for dependency injection.
In the following example, the User
is a TypeScript type and there is no way for the container to construct a runtime value from this type (types are removed after transpiling the TypeScript code).
Therefore, the container will raise an exception saying Cannot inject "[Function: Object]" in "[class: UsersController]". The value cannot be constructed
.
type User = {
username: string
age: number
email: string
}
@inject()
class UsersController {
constructor (user: User)
}
In AdonisJS, we allow binding methods in form of string based module expression. For example:
Instead of importing and using a controller as follows
import UsersController from '#controllers/users'
Route.get('users', (ctx) => {
return new UsersController().index(ctx)
})
You can bind the controller method as follows
Route.get('users', '#controllers/users.index')
Why do we do this? There are a couple of reasons for using module expressions.
So given we use module expressions widely in the AdonisJS ecosystem. We have abstracted the logic of parsing string based expressions into dedicated helpers to re-use and ease.
There is a strong assumption that every module references using module expression will have a export default
exporting a class.
// Valid module for module expression
export default class UsersController {}
The toCallable
method returns a function that internally parses the module string expression and returns a function that you can invoke like any other JavaScript function.
import { moduleExpression } from '@adonisjs/fold'
const fn = moduleExpression(
'#controllers/users.index',
import.meta.url
).toCallable()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await fn(resolver, [ctx])
You can also pass the container instance at the time of creating the callable function.
const container = new Container()
const fn = moduleExpression(
'#controllers/users.index',
import.meta.url
).toCallable(container)
// Later call it
await fn([ctx])
The toHandleMethod
method returns an object with the handle
method. To the main difference between toCallable
and toHandleMethod
is their return output
toHandleMethod
returns { handle: fn }
toCallable
returns fn
import { moduleExpression } from '@adonisjs/fold'
const handler = moduleExpression(
'#controllers/users.index',
import.meta.url
).toHandleMethod()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await handler.handle(resolver, [ctx])
You can also pass the container instance at the time of creating the handle method.
const container = new Container()
const handler = moduleExpression(
'#controllers/users.index',
import.meta.url
).toHandleMethod(container)
// Later call it
await handler.handle([ctx])
Following are benchmarks to see the performance loss that happens when using module expressions.
Benchmarks were performed on Apple M1 iMac, 16GB
handler
: Calling the handle method on the output of toHandleMethod
.callable
: Calling the function returned by the toCallable
method.native
: Using dynamic imports to lazily import the module. This variation does not use any helpers from this package.inline
: When no lazy loading was performed. The module was importing inline using the import
keyword.The module importer is similar to module expression. However, instead of defining the import path as a string, you have to define a function that imports the module.
import { moduleImporter } from '@adonisjs/fold'
const fn = moduleImporter(
() => import('#middleware/auth')
'handle'
).toCallable()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await fn(resolver, [ctx])
Create handle method object
import { moduleImporter } from '@adonisjs/fold'
const handler = moduleImporter(
() => import('#middleware/auth')
'handle'
).toHandleMethod()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await handler.handle(resolver, [ctx])
The module caller is similar to module importer. However, instead of lazy loading a class, you pass the class constructor to this method.
import { moduleCaller } from '@adonisjs/fold'
class AuthMiddleware {
handle() {}
}
const fn = moduleCaller(
AuthMiddleware,
'handle'
).toCallable()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await fn(resolver, [ctx])
Create handle method object
import { moduleCaller } from '@adonisjs/fold'
class AuthMiddleware {
handle() {}
}
const handler = moduleImporter(
AuthMiddleware,
'handle'
).toHandleMethod()
// Later call it
const container = new Container()
const resolver = container.createResolver()
await handler.handle(resolver, [ctx])
FAQs
A simple and straight forward implementation for IoC container in JavaScript
The npm package @adonisjs/fold receives a total of 22,859 weekly downloads. As such, @adonisjs/fold popularity was classified as popular.
We found that @adonisjs/fold demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 3 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
Security News
Research
An advanced npm supply chain attack is leveraging Ethereum smart contracts for decentralized, persistent malware control, evading traditional defenses.
Security News
Research
Attackers are impersonating Sindre Sorhus on npm with a fake 'chalk-node' package containing a malicious backdoor to compromise developers' projects.