npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

di-sacala

v0.1.4

Published

Small type-safe dependency injection lib

Readme

di-sacala

Tests NPM version License: MIT Bundle Size

di-sacala is a lightweight, type-safe dependency injection container for TypeScript. It leverages TypeScript's advanced type system to provide a fluent API for service registration and resolution with full type safety and autocompletion.

Table of Contents

Features

  • Full Type Safety: Get autocompletion and type checks for all your injected services.
  • No Decorators: No need for reflect-metadata or experimental decorators. Pure TypeScript.
  • Fluent API: Chainable service registration makes it easy to compose your container.
  • Container Composition: Merge multiple containers together to share dependencies across different parts of your application.
  • Lazy & Singleton: Services are instantiated only on demand (when first accessed) and reused for subsequent accesses.
  • Zero Runtime Dependencies: Extremely lightweight.

Installation

npm install di-sacala

Usage

1. Defining a Service

A service is a class that implements the DiService interface. It must implement a getServiceName() method which will be used as the key in the container. Use as const to ensure the name is treated as a literal type.

import { DiService } from 'di-sacala';

export class LoggerService implements DiService<"logger"> {
    getServiceName() {
        return "logger" as const;
    }
    
    log(message: string) {
        console.log(`[LOG]: ${message}`);
    }
}

2. Basic Injection

Use DiContainer to register and resolve your services.

import { DiContainer } from 'di-sacala';
import { LoggerService } from './LoggerService';

const container = new DiContainer()
    .inject(LoggerService);

// Access the service directly on the container
container.logger.log("Service is ready!");

3. Services with Dependencies

To inject dependencies into a service, define its constructor to accept the container. You can use the Di<T> type helper to specify which services are required. It supports both a single service type or a tuple of multiple services.

import { Di, DiService } from 'di-sacala';
import { LoggerService } from './LoggerService';
import { ConfigService } from './ConfigService';

export class UserService implements DiService<"user"> {
    getServiceName() {
        return "user" as const;
    }
    
    // Single dependency:
    // constructor(private di: Di<LoggerService>) {}

    // Multiple dependencies using a tuple:
    constructor(private di: Di<[LoggerService, ConfigService]>) {}

    getUser(id: string) {
        const prefix = this.di.config.get("userPrefix");
        this.di.logger.log(`Fetching user: ${prefix}${id}`);
        return { id, name: "User " + id };
    }
}

const container = new DiContainer()
    .inject(LoggerService)
    .inject(ConfigService)
    .inject(UserService);

container.user.getUser("42");

4. Merging Containers

You can create specialized containers and merge them into a main container using injectContainer.

const authContainer = new DiContainer().inject(AuthService);
const apiContainer = new DiContainer().inject(ApiService);

const appContainer = new DiContainer()
    .injectContainer(authContainer)
    .injectContainer(apiContainer)
    .inject(MainApp);

5. Lazy & Singleton

Services registered via inject are only instantiated when they are first accessed. Once created, the same instance is returned for all subsequent calls. This ensures efficiency and consistent state within the container.

const container = new DiContainer()
    .inject(ExpensiveService);

// ExpensiveService is NOT instantiated yet

console.log("Container ready");

// ExpensiveService is instantiated NOW
container.expensive.doSomething();

6. Duplicate Service Name Protection

di-sacala prevents registering multiple services with the same name. This protection works at both compile-time and runtime:

  • Type-level Check: If you try to inject a service with a name that already exists in the container, TypeScript will report an error, and the resulting type will be a string literal describing the error.
  • Runtime Check: The inject and injectContainer methods will throw an Error if a duplicate key is detected.
const container = new DiContainer()
    .inject(LoggerService);

// TypeScript Error: Type '"Duplicate service name: logger"' ...
// Runtime Error: Duplicate service name: logger
container.inject(AnotherLoggerService); 

7. Reserved Field Names

Since DiContainer uses a fluent API, certain names are reserved for its internal methods and cannot be used as service names:

  • inject
  • injectContainer

Similar to duplicate names, attempting to use a reserved name will trigger both a Type-level Check and a Runtime Check.

class InjectService implements DiService<"inject"> {
    getServiceName() { return "inject" as const; }
}

const container = new DiContainer();

// TypeScript Error: Type '"Reserved field name: inject"' ...
// Runtime Error: Reserved field name: inject
container.inject(InjectService);

API Reference

DiContainer

The main class for managing services.

  • inject(ServiceClass: new (di: this) => S): DiContainer & Di<S> Registers a service class. Returns the container instance, typed with the newly added service.
  • injectContainer(other: DiContainer): DiContainer & ... Copies all services from another container into this one.

DiService<Name>

An interface that your service classes must implement.

  • getServiceName(this: null): Name Must return the unique name of the service as a string literal type.

Di<S>

A utility type to help define dependencies in your service constructors.

  • Di<ServiceClass>: Resolves to an object with the service name as the key and the service instance as the value.
  • Di<[Service1, Service2]>: Resolves to a merged object containing all specified services.

Development

Installation

npm install

Build

npm run build

Test

npm test
npm run test:watch  # Watch mode

Linting & Formatting

npm run lint          # Run ESLint
npm run format        # Format code with Prettier
npm run format:check  # Check code formatting

License

MIT