JSPM

  • ESM via JSPM
  • ES Module Entrypoint
  • Export Map
  • Keywords
  • License
  • Repository URL
  • TypeScript Types
  • README
  • Created
  • Published
  • Downloads 6
  • Score
    100M100P100Q32748F
  • License MIT

Lightweight CQRS and Event-Driven Architecture library using TypeScript decorators, handlers and typings. Perfect for scalable event-driven apps.

Package Exports

  • cqrs-eda
  • cqrs-eda/dist/index.js

This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (cqrs-eda) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.

Readme

CQRS-EDA πŸš€

CQRS-EDA is a lightweight TypeScript/JavaScript library designed to complement CQRS and Event-Driven Architecture patterns in your applications. It provides decorators, handlers, and utilities to manage Commands, Queries, and Observers in a scalable and strongly-typed way.


πŸ’‘ Why Use CQRS-EDA?

CQRS-EDA is built to enhance your implementation of CQRS and EDA without enforcing them. By using CQRS-EDA, you can:

  • Decouple your business logic from the infrastructure.
  • Easily manage and organize commands, queries, and observers.
  • Ensure strong typing and autocompletion in TypeScript.
  • Integrate seamlessly with DI containers or use without DI.
  • Improve maintainability, testability, and scalability.

βš™οΈ Installation

npm install cqrs-eda

or via Yarn:

yarn add cqrs-eda

πŸ—οΈ Library Structure

import {
  Decorators,
  Handlers,
  Utilities,
  ICommand,
  IObserver,
  IQuery,
} from "cqrs-eda";

const { Command, Query, Observer } = Decorators;
const { CommandHandler, QueryHandler, ObserverHandler } = Handlers;
  • Decorators: Command, Query, Observer
  • Handlers: CommandHandler, QueryHandler, ObserverHandler
  • Utilities: registerDecoratedClasses
  • Interfaces: ICommand, IQuery, IObserver

πŸ› οΈ Quick Start

1️⃣ Without Dependency Injection

import {
  Command,
  CommandHandler,
  Query,
  QueryHandler,
  Observer,
  ObserverHandler,
  ICommand,
  IQuery,
  IObserver,
} from "cqrs-eda";

@Command("CREATE_USER")
class CreateUserCommand implements ICommand<{ name: string }> {
  async execute(payload: { name: string }) {
    console.log("User created:", payload.name);
  }
}

@Query("GET_USER")
class GetUserQuery implements IQuery<{ id: number }, string | null> {
  async execute(params: { id: number }): Promise<string | null> {
    return `User ${params.id}`;
  }
}

@Observer("USER_CREATED")
class SendWelcomeEmailObserver implements IObserver<{ userId: number }> {
  async execute(payload: { userId: number }) {
    console.log("Sending email to user:", payload.userId);
  }
}

// Handlers
const commandHandler = new CommandHandler();
const queryHandler = new QueryHandler();
const observerHandler = new ObserverHandler();

// Execute
await commandHandler.fire("CREATE_USER", { name: "Leandro" });
const user = await queryHandler.fire("GET_USER", { id: 1 });
await observerHandler.publish("USER_CREATED", { userId: 1 });

2️⃣ With Dependency Injection (tsyringe)

import { container } from "tsyringe";
import {
  CommandHandler,
  QueryHandler,
  ObserverHandler,
  Utilities,
} from "cqrs-eda";
import {
  CommandMappers,
  QueryMappers,
  QueryResultMappers,
  EventMappers,
} from "./mappers";
import * as Commands from "./commands";
import * as Queries from "./queries";
import * as Observers from "./observers";

// Register all decorated classes
Utilities.registerDecoratedClasses({
  commands: Commands,
  queries: Queries,
  observers: Observers,
});

// Handlers with DI
const commandHandler = new CommandHandler<CommandMappers>((cls) =>
  container.resolve(cls)
);
const queryHandler = new QueryHandler<QueryMappers, QueryResultMappers>((cls) =>
  container.resolve(cls)
);
const observerHandler = new ObserverHandler<EventMappers>((cls) =>
  container.resolve(cls)
);

container.registerInstance(CommandHandler, commandHandler);
container.registerInstance(QueryHandler, queryHandler);
container.registerInstance(ObserverHandler, observerHandler);

πŸ“‘ Using Observers with Message Queues

You can easily integrate CQRS-EDA Observers with message queues (e.g., RabbitMQ). Instead of writing consumers for each queue manually, let the ObserverHandler dispatch events to your registered observers.

Example: Startup Integration

import { container } from "tsyringe";
import { IQueueService } from "@infra/services/external/QueueService/QueueServiceInterface";
import logger from "@shared/utils/logger";
import { ObserverHandler } from "@application/handlers";

export async function onStartupQueueTask() {
  const queueService = container.resolve<IQueueService>("QueueService");

  // Start queue connection
  await queueService.start();
  const channel = queueService.getChannel();

  // Resolve the ObserverHandler (provided by cqrs-eda; re-exported by your app)
  const observerHandler = container.resolve(ObserverHandler);

  // Bind each registered observer to a queue
  for (const eventName of observerHandler.getRegisteredEventNames()) {
    await channel.assertQueue(eventName, { durable: true });

    channel.consume(eventName, async (msg) => {
      if (!msg) return;

      try {
        const payload = JSON.parse(msg.content.toString());

        // Publish the event to all registered observers
        await observerHandler.publish(eventName, payload);

        channel.ack(msg);
      } catch (error) {
        logger.error(error);
        channel.nack(msg, false, false);
      }
    });
  }
}

How It Works

  1. QueueService connects to the broker and provides a channel.
  2. ObserverHandler manages all registered observers for event names.
  3. Each incoming message is parsed and published to observers by event name.
  4. No need for per-queue consumersβ€”just register observers and they react to queue events.

🧩 Strong Typing with Mappers

CQRS-EDA uses mapper types to ensure commands, queries, and observers are fully typed.

type CommandMappers = {
  SAVE_SEGMENT: IndexPronunciationResponse;
};

type QueryMappers = {
  GET_SEGMENT: { phrase: string; accent: string };
};

type QueryResultMappers = {
  GET_SEGMENT: PronunciationSegmentEntity;
};

type EventMappers = {
  "SEGMENT.SAVED": IndexPronunciationResponse;
};

Benefits:

  • Compile-time safety for all commands, queries, and events.
  • IDE autocompletion.
  • Reduced runtime errors.

πŸ”§ Utilities: registerDecoratedClasses

  • Automatically registers decorated classes for handlers.
  • Supports both import * as and array exports.
  • Ensures all decorated classes are recognized by their respective handlers.

⚑ Benefits of CQRS-EDA

  • Complements CQRS and EDA patterns without enforcing them.
  • Simplifies registration and execution of commands, queries, and observers.
  • Strong typing improves developer experience.
  • Flexible DI support integrates easily with existing architecture.

πŸ“– License

MIT Β© Leandro Santos