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 🙏

© 2024 – Pkg Stats / Ryan Hefner

acelga-bus

v1.0.7

Published

An extensible typescript message bus with support for middlewares

Downloads

396

Readme

acelga-bus

An typed and extensible typescript message bus with support for network adaptors, middlewares and events stores like Eventstore (for event sourcing or similar patterns).

codecov Maintainability

This code is kind of deprecated. I'm leaving it here because is good for me as reference and I may reuse some of it in the future. Still seems we won't use this project in my company. Feel free to look, I think there are a few interesting things there and the code is fully tested (100% coverage)

This bus enforces you to use the types and interfaces you define, avoiding errors and problems in your code.

It filter by types instead of strings. That means that you have compile-time protection against misspellings. But it means that you need to encapsulate everything withing a class.

Moreover, it is not safe to publish primitives like numbers, null or strings because their falsifiability property (0, NaN, "", null, undefined are false). Always send an object / class.

Simple example

/* DEFINITIONS */
// This interface must be implemented by all events
interface IMyEvent {
    date: Date;
}

/* EVENTS IMPLEMENTATIONS */
// This events implements the interface of the bus
class UserCreated implements IMyEvent {
    date = new Date();
    name: string;

    constructor(name: string) {
        this.name = name;
    }

    getName() {
        return this.name;
    }
}

/* HANDLER DEFINITIONS */

import {Bus} from 'acelga-bus';
// We set the correct type in the bus instance
const bus = new Bus<IMyEvent>();

bus.on(UserCreated, (user) => {
    // It will autocomplete the getName, regardless that it is not in the interface
    console.log('user created: ', user.getName());
});
// The bus returns a promise that tells you if the event was published successfully
await bus.publish(new UserCreated('Matias'));

/* LETS CREATE ANOTHER CLASS THAT DOESN'T IMPLEMENT THE INTERFACE */
class NotAnEvent {}
/* TYPESCRIPT ERROR: typeof NotAnEvent is not assignable to Constructable<IMyEvent>*/
bus.on(NotAnEvent, (notEvent) => {});

Eventstore

The bus implements a connector with Eventstore persistent subscriptions/competing consumers. It handles automatically:

  • Bulk processing of events
  • Ordering of dependent events like two events of the same aggregate (it requires a implementation from the user)
  • Handling errors and ACK or NACK them
  • Avoid most dangerous pattern like:
    • Multi subscription of the events (usually in event-store you want to process one time per bounded context)
    • Non returning promises in handlers (the bus needs to know when you finished and if the operation was a success or not in order to ack or nack)

The connector works very similar to the base bus, but it requires some extra configuration, lets see the previous example with the connected Bus:

/* DEFINITIONS */
import {IEventstoreEvent} from 'acelga-bus';
// **NEW** Your interface must implement the IEventstoreEvent interface
interface IMyEvent extends IEventstoreEvent {
    date: Date;
}

/* EVENTS IMPLEMENTATIONS */
import {Bus, IEventFactory, IDecodedSerializedEventstoreEvent} from 'acelga-bus';

class UserCreated implements IMyEvent {
    date = new Date();
    name: string;
    aggregate: 'user';// **NEW** The same as the stream
    ...
}
// **NEW** This is the factory that will be executed when the event is retrieved by Eventstore
class UserCreatedFactory implements IEventFactory<IMyEvent> {
    build(event: IDecodedSerializedEventstoreEvent) {
        // Never trust what comes from eventstore. Acelga-bus guarantees some attributes, but not the data content
        if (!event.data || event.data.name) throw new Error('Event without name');

        return new UserCreated(event.data.name);
    }
}

/* HANDLER DEFINITIONS */

import {Bus} from 'acelga-bus';
// We set the correct type in the bus factory **NEW** for this use the factory function
const bus = createEventstoreBus<IMyEvent>(/*connectionOptions, subscriptions*/);

// **NEW** You need to specify the correct factories for each event
bus.addEventType(UserCreated, new UserCreatedFactory());


bus.on(UserCreated, (user) => {
    console.log('user created: ', user.getName());
});

await bus.publish(new UserCreated('Matias'));

Structure of the Bus

The Bus is spitted in several parts. The main advantage is that they can be reused in order to create a new adapter for a new system. That is how the Eventstore adapted bus was created. This is the structure:

  • Publisher: Having a handler, when the publish method is called, it executed a sequence of middlewares and calls the handler. It can be cloned in order to have a multi producer and one consumer.
  • Dispatcher (single): Given a key and a item, it executes the callbacks associates to that key in parallel over the item. It is like a router. It fails if any fails.
  • MiddlewareChain: executes a list of middlewares over a item.
  • Pipeline: Given an Dispatcher, triggers the dispatcher over a item in two modalities: StopOnError and ContinueOnError. It returns a list of errors and results after all the executions.
    • executor: Simplified version of the pipeline, no dispatcher and only stopOnError mode.
  • Dispatcher (multi): Like the Dispatcher (single) but accepting an array of items. It makes an execution plan and uses pipelines to execute it with optimal parallelism. Returns the errors and success as array.
  • Schedulers: Creates an execution plan for a set of events. This allows to set dependent events like user update should be executed only if user create succeed.

If you want to see how the code is structured internally in deep the best way to start looking at the "src/eventstore/factory.ts". That file is the one that build the whole bus for Eventstore. There you will see what pieces go together. The files inside of the "src/eventsore" folder are the ones that connect the abstracted code with the Eventstore. In "src/corebus" folder you have the abstracted code that provides the guarantees. It can be reused for making connector with, for example, kafka very easily.

Let me know any question you have. And pull request are welcome.