navi-di
v1.2.0
Published
Dependency injection for standard ECMAScript decorators.
Maintainers
Readme
navi-di
navi-di is a dependency injection library built for standard ECMAScript decorators.
Installation
navi-di can be installed with any common JavaScript package manager:
npm install navi-di
pnpm add navi-di
yarn add navi-di
bun add navi-diThe current implementation focuses on a compact core:
@Service()registers classes in the default container.@Inject()wires decorated class fields from the active container.@InjectMany()wires all matching bindings into a decorated class field.Container.of()resolves services from the default container or from named containers.container.ofChild()creates hierarchical child containers.singleton,container, andtransientscopes control instance lifetime.- Circular graphs and missing services fail with explicit runtime errors.
What is implemented today
The repository is no longer just scaffolding. The source and tests currently cover:
- class registration through
@Service(); - field injection through
@Inject(); - multi-field injection through
@InjectMany(); - named containers via
Container.of(id); - hierarchical child containers via
container.ofChild(id)andContainer.ofChild(id, parent); - ancestor lookup across container hierarchies;
- per-container caching for
containerscope; - shared instances for
singletonscope; - fresh instances for
transientscope; - multi-binding registration through
container.add()and@Service({ multiple: true }); - multi-binding resolution through
container.getMany(); - cache reset and registration reset through
container.reset(); - error handling for circular dependencies, missing services, and invalid container operations.
Requirements
- Runtime target: Node.js
>=18.18 - Local development toolchain: Bun
>=1.3.0 - Language target: TypeScript 5 style standard decorators
- Module format: ESM
No environment variables or external services are required for local development.
Public entry points
The package root currently exports runtime values and TypeScript types.
Runtime exports:
ContainerServiceInjectInjectManyToken
Container exposes the runtime API for resolution and low-level registration,
including of(), ofChild(), get(), getMany(), set(), add(), has(), remove(), and reset().
Type-only exports:
Constructable/AbstractConstructableServiceIdentifier
Quick start
import { Container, Inject, Service } from 'navi-di';
@Service()
class LoggerService {
public log(message: string) {
console.log(message);
}
}
@Service()
class HandlerService {
@Inject(LoggerService)
public logger!: LoggerService;
}
const handler = Container.of().get(HandlerService);
handler.logger.log('hello from navi-di');How resolution works:
@Service()stores the class metadata in the default container.@Inject()records which decorated fields should be resolved.Container.of().get(HandlerService)createsHandlerService.- The container resolves each injected field from the same container instance.
Service lifetimes
navi-di currently supports three scopes.
container
The default scope. One instance is cached per container.
- repeated
get()calls in the same container reuse the same instance; - child containers receive their own isolated instance;
- child containers lazily clone ancestor registrations on first access.
singleton
One shared instance across all containers.
- singleton registrations are effectively stored in the default container;
- resolving the same singleton from a named container returns the same shared instance as the default container.
transient
A new instance is created on every get() call.
Hierarchical containers
Use containers when you want isolated request, job, or unit-of-work state.
const requestA = Container.of('request-a');
const requestB = Container.of('request-b');
const tenant = Container.of('tenant-a');
const request = tenant.ofChild('tenant-a-request');Current behavior:
Container.of()andContainer.of('default')return the same default container;Container.of('name')reuses the same named container for the same id;Container.of('name')creates a child of the default container when the container does not exist yet;Container.ofChild(id, parent)andparent.ofChild(id)create deeper hierarchies;- containers resolve single bindings from the nearest ancestor that owns them;
containerscope becomes container-local after first resolution in a descendant container;singletonscope stays shared from the root container;- disposing a parent container also disposes its descendants.
Decorators
@Service(idOrOptions?)
Registers a class in the default container.
Accepted forms today:
@Service()@Service(id)@Service({ id, scope })
Options supported today:
id?: ServiceIdentifierscope?: 'singleton' | 'container' | 'transient'multiple?: boolean
Example with a custom id:
import { Container, Service } from 'navi-di';
@Service({ id: 'logger', scope: 'singleton' })
class LoggerService {}
const logger = Container.of().get('logger');Custom identifiers work for both container.get(...) and @Inject(...).
When you use Token instances, resolution is based on object identity, so create the token once and reuse the same instance everywhere.
@Inject(dependency)
Marks a decorated class field for property injection.
Current characteristics:
- injection is property-based, not constructor-based;
- services are instantiated with
new Class()and therefore must be resolvable without constructor arguments; - dependencies are resolved from the active container;
- multiple decorated fields on the same class are supported;
- injected fields are defined as writable and configurable own properties on the created instance;
- injected fields are assigned after construction, so they are not available inside constructors or field initializers.
@InjectMany(dependency)
Marks a decorated class field for multi-binding injection.
Current characteristics:
- resolves every matching multi-binding for the identifier;
- returns values in ancestor-first, local-last order;
- uses the same active container as the service being created.
Token example:
import { Container, Inject, Service, Token } from 'navi-di';
interface Logger {
log(message: string): void;
}
const LOGGER = new Token<Logger>('Logger');
@Service(LOGGER)
class ConsoleLogger implements Logger {
public log(message: string) {
console.log(message);
}
}
@Service()
class HandlerService {
@Inject(LOGGER)
public logger!: Logger;
}
const handler = Container.of().get(HandlerService);
handler.logger.log('hello from token injection');Container API
Container.of(id?)
Returns the default container or a named container.
Calling Container.of(id) with the same identifier reuses the same container
instance until that instance is disposed.
When a named container is first created through Container.of(id), its parent is
the default container.
Container.ofChild(id, parent?)
Creates or reuses a child container under the provided parent container.
You can also call parent.ofChild(id) from an existing container instance.
container.get(id)
Resolves a service by class or service identifier.
Throws:
ServiceNotFoundErrorwhen no registration exists;CircularDependencyErrorwhen the current resolution path loops back to an in-progress dependency.
container.getMany(id)
Resolves all multi-bindings registered for a service identifier.
- multi-bindings are aggregated from the root of the hierarchy down to the current container;
- container-scoped registrations are cached per resolving container;
- singleton registrations are shared from the root container;
- returns an empty array when no multi-binding exists.
container.tryGet(id)
Resolves a service by class or service identifier and returns undefined when
no registration exists.
Unlike get(), this only returns undefined when the requested identifier is
not registered anywhere in the current resolution path. Other failures, such as
circular dependencies or missing nested dependencies, still throw.
container.has(id)
Checks whether the current container has a local registration.
For named containers, this does not report default-container registrations until the service has been materialized locally.
In practice, that means has() becomes true after first resolution for container-scoped services, but can remain false for singleton and transient services resolved through fallback.
container.reset(strategy?)
Supported strategies:
'value'clears cached instances but keeps registrations;'service'removes registrations from the current container.
This is especially useful in tests.
await container.dispose()
Disposes the current container instance explicitly.
- clears local registrations, bindings, and cached service instances;
- awaits any bound value or cached service instance that exposes a
dispose()method; - makes the disposed container instance unusable for future operations.
After disposal, calling Container.of(id) again creates a fresh container for
that identifier. The same applies to the default container: after disposal, the
next Container.of() or named-container fallback access recreates a fresh
default container with no previous registrations or cached instances.
container.set(id, valueOrProvider)
Registers or replaces a bound value or provider for a service identifier.
Use set() when you want manual registration without decorating a class.
This is the supported low-level API for values, classes, and factories.
Supported forms today:
container.set(id, value)container.set(id, { useValue: value })container.set(id, { useClass: Class, scope?, injections? })container.set(id, { useFactory: (container) => value, scope? })
This is the low-level API for manual value, class, and factory registration.
For decorator-driven classes, prefer @Service().
container.add(id, valueOrProvider)
Appends a value or provider to a multi-binding group.
Supported forms are the same as container.set(...), but registrations are
collected instead of replaced.
Value example:
const REQUEST_ID = 'request-id';
Container.of().set(REQUEST_ID, { useValue: crypto.randomUUID() });
const requestId = Container.of().get<string>(REQUEST_ID);Class example:
interface Logger {
log(message: string): void;
}
class ConsoleLogger implements Logger {
public log(message: string) {
console.log(message);
}
}
Container.of().set<Logger>('logger', { useClass: ConsoleLogger, scope: 'singleton' });Factory example:
class Connection {
constructor(public readonly requestId: string) {}
}
Container.of().set('request-id', { useValue: 'request-1' });
Container.of().set(Connection, {
useFactory: (container) => new Connection(container.get('request-id')),
scope: 'container',
});For named containers, values bound in the default container are available through
fallback. Provider objects are detected structurally, so plain object values that
contain useValue, useClass, or useFactory should be wrapped with
{ useValue: value } if you want them treated as values.
Internal architecture
The implementation is intentionally small and split into a few focused modules:
src/decorators/records decorator metadata for services and injected fields.src/container/container.tsstores service metadata and performs resolution.src/container/registry.tsowns the default container and named-container registry.src/types/defines service identifiers, scopes, metadata, and injection metadata.src/errors/provides explicit runtime error classes.test/exercises registration, scoping, fallback behavior, reset behavior, and error paths.
Resolution flow at a high level:
- decorators attach injection metadata through
context.metadata; @Service()registers the class and its collected injections in the default container;container.get()loads registration metadata, handles scope rules, and creates the instance;- each injected field is resolved recursively from the same container after instance construction;
- the container tracks the current resolution path to detect circular dependencies.
Development
Install dependencies:
bun installAvailable scripts:
bun run build
bun run typecheck
bun run test
bun run lint
bun run fmt
bun run fmt:check
bun run hooks:install
bun run hooks:validate
bun run hooks:run:pre-commitWhat they do:
build: compile the package withtsc -p tsconfig.build.jsontypecheck: run the TypeScript compiler in check modetest: run Bun testslint: runoxlintwith warnings deniedfmt: format the repository withoxfmtfmt:check: verify formatting without writing changeshooks:*: install, validate, or run the repo-local Lefthook Git hooks
Git hooks are optional and repo-local. After cloning, contributors can install them with bun run hooks:install.
Current note: typecheck uses tsconfig.json with noEmit: true, while build uses tsconfig.build.json with noEmit: false to emit dist/ and declaration files.
Local quality gates
The repository currently enforces:
- strict TypeScript checking;
oxlintfor linting;oxfmtfor formatting;- PR CI checks for lint, format, typecheck, tests, and build;
- optional Lefthook
pre-commitchecks for staged TypeScript, JavaScript, Markdown, YAML, and YML files.
The package prepack script runs lint, format check, typecheck, and build before publishing.
Repository layout
src/
container/
decorators/
errors/
types/
test/
dist/src/contains the library source.test/contains Bun test coverage for the runtime behavior.dist/contains the built ESM output and declaration files emitted bytsconfig.build.json.
Community
- Contributing guide: CONTRIBUTING.md
- Code of Conduct: CODE_OF_CONDUCT.md
- Security policy: SECURITY.md
- License: LICENSE
