@electron-tools/ioc
Introduction
A simple DI implement of IOC using typescript. inspired by vscode IOC implement.
Installation
$npm install @electron-tools/ioc
$pnpm add @electron-tools/ioc
$yarn add @electron-tools/ioc
Usage
-
enable experimentalDecorators
option in your tsconfig.json.
-
register your service by service
decorator exported from this package.
import { service } from '@electron-tools/ioc';
@service('serviceA')
class ServiceA {
}
- use
inject
decorator inject your service to another service.
import { service, inject } from '@electron-tools/ioc';
@service('serviceB')
class ServiceB {
constructor(
@inject('serviceA')
readonly serviceA: ServiceA,
) {}
}
- import all your services and crate a IOC instance in your entry file.
import IOC from '@electron-tools/ioc';
import './serviceA.ts';
import './serviceB.ts';
const ioc = new IOC();
const serviceA = ioc.getService('serviceA');
const serviceB = ioc.getService('serviceB');
console.log(serviceA instanceof ServiceA);
console.log(serviceB instanceof ServiceB);
console.log(serviceA === serviceB.a);
Features
- Instance all service in one place.
by default. service only be instanced when needed. in the case above. if you only call ioc.getService('serviceA')
, serviceB will not be instance, cause serviceB is not dependencied by any service, but if you only call ioc.getService('serviceB')
, serviceA will be instance, and inject into serviceB. this maybe not what you want. you can init all services in one place by call ioc.init()
.
const ioc = new IOC();
ioc.init();
- Cycle reference.
if there are some cycle reference between your services. such as serviceA dependencied by serviceB, serviceB also dependencied by serviceA, you can resolve this issue by get service later instead of constructor of service.
import IOC, { service, inject, INSTANTIATION_SERVICE_ID } from '@electron-tools/ioc';
@service('serviceA')
class ServiceA {
constructor(
@inject(INSTANTIATION_SERVICE_ID) readonly ioc: IOC,
) {}
someMethod() {
const serviceB = this.ioc.getService('serviceB');
serviceB.xxx;
}
}