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

mercury-messenger

v2.1.0

Published

Messaging Helper for Event Driven Systems

Downloads

92

Readme

CircleCI Codacy coverage Codacy grade Npm Npm

Mercury

Mercury is a tool for managing inter-service communication in distributed systems based in EDA (Event Driven Architecture). Mercury is intended for systems that relies in message brokers for asynchronous messaging.All Broker based configuration needed to process messages, like queues, topics, binds, listeners, handlers, retry are set up by Mercury under the hood and decoupled from your application.Mercury main purpose is for developers use their times to write business logic rather than messaging or broker specific code.

How it works

Mercury uses the publish/subscribe pattern for deliver messages to the correct service.You application just need to define the handlers functions for interested "events" or messages that occurs within the message ecosystem.

Quick Example

Message Consumers

To begin consuming messages, Start Mercury, providing the broker configuration values in your index file:

import Mercury, { Container } from 'mercury-messenger';
import './testHandler';

let mercury = new Mercury('RABBITMQ', 'localhost', 'user', 'password', 'testApp', 'testService');

mercury.init();

create class handlers for the corresponding event/message

import { MessageHandler, Handler, JSONMessage } from 'mercury-messenger';

@MessageHandler('user-created')
class UserCreatedHandler implements Handler {
    handle(msg) {
        console.log('A user has been created');

        // if a error occurs during execution, this message will be retried
        throw new Error('something gone wrong');
    }
}

@MessageHandler('order-created')
class OrderCreatedHandler implements Handler {
    handle(msg) {
        console.log('Something has been ordered');

        let msgContent = msg.getContent();

        /*your business rule (service call, database operations, etc ...)*/

        return new JSONMessage('product-purchased', { test: 'data' });
    }
}

And finnaly register handlerClasses in Mercury instance and init mercury after that:

const container = new Container();

container.bind('BIND1').to(OrderCreatedHandler);
container.bind('BIND2').to(UserCreatedHandler);

mercury.setContainer(container);

mercury.init();

Now, messages published in the broker by Mercury are correctly routed and consumed by subscribed applications.

Message Producers

To publish messages just use @MessagePublisher decorator in any method,return a new Mercury message in it and it's done.

import { MessagePublisher, JSONMessage } from 'mercury-message';

export class OrderController {
    @MessagePublisher()
    public async createOrderCommand(request){
        await newOrder = orderDatabaseService.save(request.data)
        return new JSONMessage('order-created', newOrder)
    }
}

Mercury Configuration

You must provide some information regarding broker credentials and names for your service

let mercury = new Mercury(applicationName, brokerHostName, brokerUserName, brokerPassword, serviceName, retryDelay);

List of mercury constructor parameters:

| | type | description | | --------------------- | ------ | -------------------------------------------------------------------------------------------------------------------------------- | | applicationName | string | A descriptor/name for your entire distributed system (only services defined with the same 'appName' communicate with each other) | | serviceName | string | A descriptor/name for the current service | | brokerType | string | Here we define the message broker used (only rabbitmq supported for now) | | brokerAddress | string | Message broker address | | brokerUser | string | message broker admin credentials | | brokerPassword | string | message broker password por provided user | | retryDelay (optional) | number | the default delay in seconds during retries (default 60) |

Mercury Initialization

mercury.init();

The init() method start the process to configure broker with the provided configuration and registering handlers as well.It's important to call this method only when all Mercury configuration is done (please be aware that handlers instances must be added to Mercury before using the userHandler() method)

Message Handlers

Mercury needs MessageHandlers to work, message handlers are special classes that provide information about what events or messages the application is interested and provide the logic to run when some message occur in the broker. Use class decorator @MessageHandler and implements the Handler class to define proper messageHandlers compatible with Mercury. Implementing Handler class implies the implementation of the handle() method in your class. Register message handlers instances using the userHandler() method prior to Mercury initialization.

Errors

If an error is thown during the message handling, the message will not be acknowledged in the message broker,and will be retried some time later.

@MessageHandler('user-created')
class UserCreatedHandler implements Handler {
    handle(msg) {
        console.log('A user has been created');

        // if a error occurs during execution, this message will be retried
        throw new Error('something gone wrong');
    }
}

Be careful with database logic or external services invocation here, Always find some way to rollback or revert previous operations before handler finish if the operations aren't idempotent. You can define the delay between retries in Mercury constructor.

Succeeded Handlers

If there is no errors during handler execution, then any Message or array of Messages returned by the handler function will be published into the system messaging ecosystem and possibly consumed by others subscribers services.

@MessageHandler('order-created')
class OrderCreatedHandler implements Handler {
    handle(msg) {
        console.log('Something has been ordered');

        let msgContent = msg.getContent();

        /*your business rule (service call, database operations, etc ...)*/

        return new JSONMessage('product-purchased', { test: 'data' });
    }
}

Publishers

Message publish are intended to only procuce new Mercury messages and publish then into the broker. To publish messages to the broker Just use the '@MessagePublisher' decorator and return a new message:

import { MessagePublisher, JSONMessage } from 'mercury-message';

export class OrderController {
    @MessagePublisher()
    public async createOrderCommand(request){
        await newOrder = orderDatabaseService.save(request.data)
        return new JSONMessage('order-created', newOrder)
    }
}

TODO

  • Exponential retry strategy with max retry using DLE (dead letter)

  • Register all messages received and published to external databases like MongoDB or Redis (event-store)

  • Implement some mechanism to ensure that the publishing of new messages happens only when some pre-registered conditions have been succeeded. (Like publishing the 'order-created' message only when client code commit the transaction to 'order-database' successfully)

  • Support to more message brokers like Redis, Apache ActiveMQ, Apache Kafka.