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

@lokative/messaging

v1.1.7

Published

A transport-agnostic messaging module for NestJS. Ships with built-in NATS JetStream, Kafka, and Redis transports. Swap transports with a single config change — your handlers and publishers stay the same.

Readme

@lokative/messaging

A transport-agnostic messaging module for NestJS. Ships with built-in NATS JetStream, Kafka, and Redis transports. Swap transports with a single config change — your handlers and publishers stay the same.

Installation

npm install @lokative/messaging

Install the peer dependency for your chosen transport:

# NATS JetStream
npm install nats

# Kafka
npm install kafkajs

# Redis
npm install redis

Imports

Transports are isolated behind subpath exports so only the dependency you use gets loaded:

// Core (always needed)
import { MessagingModule, MessagingPublisher, Incoming, Outgoing } from '@lokative/messaging';

// Pick one transport
import { NatsTransport } from '@lokative/messaging/nats';
import { KafkaTransport } from '@lokative/messaging/kafka';
import { RedisTransport } from '@lokative/messaging/redis';

Quick Start

NATS JetStream

import { Module } from '@nestjs/common';
import { MessagingModule } from '@lokative/messaging';
import { NatsTransport } from '@lokative/messaging/nats';

@Module({
  imports: [
    MessagingModule.register({
      transport: NatsTransport,
      transportOptions: {
        servers: ['nats://localhost:4222'],
      },
      streams: [
        { name: 'ORDERS', subjects: ['order.created', 'order.updated'] },
      ],
      consumers: {
        group: 'order-service',
      },
    }),
  ],
})
export class AppModule {}

Kafka

import { Module } from '@nestjs/common';
import { MessagingModule } from '@lokative/messaging';
import { KafkaTransport } from '@lokative/messaging/kafka';

@Module({
  imports: [
    MessagingModule.register({
      transport: KafkaTransport,
      transportOptions: {
        brokers: ['localhost:9092'],
        clientId: 'order-service',
      },
      consumers: {
        group: 'order-service-group',
      },
    }),
  ],
})
export class AppModule {}

Redis

import { Module } from '@nestjs/common';
import { MessagingModule } from '@lokative/messaging';
import { RedisTransport } from '@lokative/messaging/redis';

@Module({
  imports: [
    MessagingModule.register({
      transport: RedisTransport,
      transportOptions: {
        url: 'redis://localhost:6379',
      },
    }),
  ],
})
export class AppModule {}

Redis can also be configured with host and port instead of url:

transportOptions: {
  host: '10.0.0.5',
  port: 6380,
}

Configuration

MessagingModule.register() accepts a MessagingConfig object:

| Property | Type | Required | Description | | ------------------ | --------------------------- | -------- | ------------------------------------------------ | | transport | Type<MessagingTransport> | Yes | The transport class to use | | transportOptions | Record<string, any> | No | Transport-specific connection options | | streams | { name, subjects[] }[] | No | Stream/topic definitions (used by NATS transport) | | consumers | ConsumerOptions | No | Consumer group configuration |

Consumer Options

| Property | Type | Description | | -------- | --------- | -------------------------------------------- | | group | string | Consumer group / durable name | | retry | number | Number of retry attempts on failure | | dlq | boolean | Enable dead-letter queue for failed messages |

Transport Options

NatsTransportOptions

| Property | Type | Required | Description | | --------- | --------------------------- | -------- | ------------------------------------ | | servers | string[] | Yes | NATS server URLs | | streams | { name, subjects[] }[] | No | Overrides top-level streams config |

KafkaTransportOptions

| Property | Type | Required | Description | | ---------- | ---------- | -------- | ---------------------------------- | | brokers | string[] | Yes | Kafka broker addresses | | clientId | string | No | Client identifier (default: nestjs-app) |

RedisTransportOptions

| Property | Type | Required | Description | | -------- | -------- | -------- | -------------------------------------------- | | url | string | No | Redis connection URL (e.g. redis://localhost:6379) | | host | string | No | Redis host (default: localhost) | | port | number | No | Redis port (default: 6379) |

Provide either url or host/port. If both are given, url takes precedence.


Decorators

@Incoming(subject: string)

Marks a method as a message handler. The module auto-discovers decorated methods at startup and subscribes them to the given subject.

import { Injectable } from '@nestjs/common';
import { Incoming } from '@lokative/messaging';

@Injectable()
export class OrderHandler {

  @Incoming('order.created')
  async handleOrderCreated(data: any) {
    console.log('New order:', data);
    // Auto-acked on success, nak'd on thrown error
  }

}

@Outgoing(subject: string)

Wraps a method so its return value is automatically published to the given subject. The decorated class must have a publisher property (typically injected).

import { Injectable } from '@nestjs/common';
import { Outgoing, MessagingPublisher } from '@lokative/messaging';

@Injectable()
export class OrderService {

  constructor(public publisher: MessagingPublisher) {}

  @Outgoing('order.confirmed')
  async confirmOrder(orderId: string) {
    const order = await this.processConfirmation(orderId);
    return order; // automatically published to 'order.confirmed'
  }

}

Publishing Messages

Inject MessagingPublisher to publish messages manually:

import { Injectable } from '@nestjs/common';
import { MessagingPublisher } from '@lokative/messaging';

@Injectable()
export class NotificationService {

  constructor(private publisher: MessagingPublisher) {}

  async notifyUser(userId: string, event: string) {
    await this.publisher.publish('notification.send', {
      userId,
      event,
      timestamp: Date.now(),
    });
  }

}

Transport Comparison

| Feature | NATS JetStream | Kafka | Redis Pub/Sub | | -------------------- | -------------------- | -------------------- | -------------------- | | Message persistence | Yes (streams) | Yes (log) | No | | Consumer groups | Yes (durable) | Yes (group id) | No | | Ack/Nak | Yes | Auto-commit | N/A | | Ordering | Per-subject | Per-partition | Per-channel | | Best for | Microservices, CQRS | Event streaming, ETL | Real-time, fire-and-forget |


Custom Transports

Implement the MessagingTransport interface to add support for any broker:

import { Injectable, Inject } from '@nestjs/common';
import type {
  MessagingTransport,
  MessageEnvelope,
  Subscription,
  SubscribeOptions,
  MessagingConfig,
} from '@lokative/messaging';

@Injectable()
export class MyCustomTransport implements MessagingTransport {

  constructor(@Inject('MSG_CONFIG') private config: MessagingConfig) {}

  async connect(): Promise<void> {
    // establish connection using this.config.transportOptions
  }

  async publish(subject: string, payload: any): Promise<void> {
    // publish serialized payload to subject/topic
  }

  async subscribe(subject: string, options?: SubscribeOptions): Promise<Subscription> {
    // return an async-iterable of MessageEnvelope
  }

}

Then register it:

MessagingModule.register({
  transport: MyCustomTransport,
  transportOptions: { /* ... */ },
})

Interface Reference

interface MessagingTransport {
  connect(): Promise<void>;
  publish(subject: string, payload: any): Promise<void>;
  subscribe(subject: string, options?: SubscribeOptions): Promise<Subscription>;
}

interface MessageEnvelope {
  subject: string;
  data: any;
  ack(): void;
  nak(): void;
}

interface Subscription {
  [Symbol.asyncIterator](): AsyncIterator<MessageEnvelope>;
}

interface SubscribeOptions {
  group?: string;
}

Full Application Example

// app.module.ts
import { Module } from '@nestjs/common';
import { MessagingModule } from '@lokative/messaging';
import { NatsTransport } from '@lokative/messaging/nats';
import { OrderModule } from './order/order.module';

@Module({
  imports: [
    MessagingModule.register({
      transport: NatsTransport,
      transportOptions: {
        servers: ['nats://localhost:4222'],
      },
      streams: [
        { name: 'ORDERS', subjects: ['order.*'] },
        { name: 'NOTIFICATIONS', subjects: ['notification.*'] },
      ],
      consumers: { group: 'api-service' },
    }),
    OrderModule,
  ],
})
export class AppModule {}
// order/order.module.ts
import { Module } from '@nestjs/common';
import { OrderService } from './order.service';
import { OrderHandler } from './order.handler';

@Module({
  providers: [OrderService, OrderHandler],
  exports: [OrderService],
})
export class OrderModule {}
// order/order.service.ts
import { Injectable } from '@nestjs/common';
import { MessagingPublisher, Outgoing } from '@lokative/messaging';

@Injectable()
export class OrderService {

  constructor(public publisher: MessagingPublisher) {}

  @Outgoing('order.created')
  async createOrder(dto: any) {
    return { id: '123', ...dto, status: 'created' };
  }

  async cancelOrder(orderId: string) {
    await this.publisher.publish('order.cancelled', { orderId });
  }

}
// order/order.handler.ts
import { Injectable } from '@nestjs/common';
import { Incoming } from '@lokative/messaging';

@Injectable()
export class OrderHandler {

  @Incoming('order.created')
  async onOrderCreated(data: any) {
    console.log('Processing new order:', data.id);
  }

  @Incoming('order.cancelled')
  async onOrderCancelled(data: any) {
    console.log('Order cancelled:', data.orderId);
  }

}

To switch this app to Kafka, change only the module registration:

import { KafkaTransport } from '@lokative/messaging/kafka';

MessagingModule.register({
  transport: KafkaTransport,
  transportOptions: {
    brokers: ['localhost:9092'],
    clientId: 'api-service',
  },
  consumers: { group: 'api-service' },
})

Or to Redis:

import { RedisTransport } from '@lokative/messaging/redis';

MessagingModule.register({
  transport: RedisTransport,
  transportOptions: { url: 'redis://localhost:6379' },
})

No changes needed in services or handlers.


API Reference

Exports

From @lokative/messaging:

| Export | Type | Description | | -------------------------- | ----------- | ---------------------------------------------- | | MessagingModule | Module | NestJS dynamic module | | MessagingPublisher | Injectable | Service for publishing messages | | MessagingConsumerRegistry| Injectable | Auto-discovers and starts @Incoming handlers | | MessagingConfig | Interface | Configuration shape for register() | | MessagingTransport | Interface | Contract for custom transports | | MessageEnvelope | Interface | Incoming message wrapper | | Subscription | Interface | Async-iterable subscription | | SubscribeOptions | Interface | Options passed to subscribe() | | MESSAGING_TRANSPORT | Token | DI token for the transport provider | | Incoming | Decorator | Subscribe a method to a subject | | Outgoing | Decorator | Auto-publish a method's return value |

From @lokative/messaging/nats:

| Export | Type | Description | | --------------------- | ----------- | --------------------------------- | | NatsTransport | Injectable | Built-in NATS JetStream transport | | NatsTransportOptions| Interface | Options for NatsTransport |

From @lokative/messaging/kafka:

| Export | Type | Description | | ---------------------- | ----------- | -------------------------- | | KafkaTransport | Injectable | Built-in Kafka transport | | KafkaTransportOptions| Interface | Options for KafkaTransport |

From @lokative/messaging/redis:

| Export | Type | Description | | ---------------------- | ----------- | -------------------------------- | | RedisTransport | Injectable | Built-in Redis Pub/Sub transport | | RedisTransportOptions| Interface | Options for RedisTransport |

Injection

// Inject the publisher
constructor(private publisher: MessagingPublisher) {}

// Inject the raw transport (advanced)
constructor(@Inject(MESSAGING_TRANSPORT) private transport: MessagingTransport) {}

License

MIT — Made with care by Lokative