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

@superhero/eventflow-db

v4.1.0

Published

Eventflow db is a set of common database logic in the eventflow ecosystem.

Downloads

344

Readme

@superhero/eventflow-db

@superhero/eventflow-db is a Node.js library providing common persistent logic for the Eventflow ecosystem. It abstracts database interactions and ensures a standardized way of managing event-related data in the event-driven architecture of Eventflow.

Features

  • Simplified table schema management for the Eventflow components.
  • Supports creating, reading, updating and deleting events and their associations.
  • Supports database interactions for scheduled and published events.
  • Supports database interactions for certificate, hub and log.
  • Integrates with @superhero/db for file management of SQL queries, and mysql2 as the database driver.
  • Error declarations with descriptive error messages and error codes.

Installation

[!NOTE] This module is only expected to be a dependency to @superhero/eventflow-hub and @superhero/eventflow-spoke as a common library.

npm install @superhero/eventflow-db

Usage

Initialize the Database Component

The library uses a locator pattern to retrieve dependencies and set up configurations.

import Config     from '@superhero/config'
import Locator    from '@superhero/locator'
import { locate } from '@superhero/eventflow-db'

const config = new Config()
await config.add('@superhero/eventflow-db')

const locator = new Locator()
locator.set('@superhero/config', config)

const db = locate(locator)

Table Schema Setup

Use the setupTableSchemas method to ensure all required tables are created:

await db.setupTableSchemas()

Persisting Events

You can persist an event and let the library generate a unique ID if one is not provided:

const event = 
{
  domain : 'example',
  pid    : 'process-id',
  name   : 'event-name',
  data   : { key: 'value' },
}

const eventId = await db.persistEvent(event)
console.log(`Event persisted with ID: ${eventId}`)

Reading Events

By ID

const event = await db.readEvent(eventId)
console.log('Event:', event)

By Domain and Process ID

const events = await db.readEventsByDomainAndPid('example', 'process-id')
console.log('Events:', events)

Scheduling Events

const scheduledEvent = 
{
  event_id  : eventId,
  scheduled : new Date(),
}

await db.persistEventScheduled(scheduledEvent)

const scheduledEvents = await db.readEventsScheduled()
console.log('Scheduled Events:', scheduledEvents)

Publishing Events

const publishedEvent = 
{
  event_id  : eventId,
  publisher : 'publisher-id',
}

await db.persistEventPublished(publishedEvent)
await db.updateEventPublishedToSuccess(eventId)

Logging

Persisting a log entry

const log = 
{
  agent   : 'hub-id',
  message : 'Test log message',
  error   : { message: 'Error details' },
};

await db.persistLog(log)

Archive logs

Archives logs by partitioning the log table by date.

const date = new Date()
await db.archiveLog(date)

Managing Hubs

Persisting a Hub

const hub = 
{
  id            : 'hub-id',
  external_ip   : '127.0.0.1',
  external_port : 50001,
  internal_ip   : '127.0.0.1',
  internal_port : 50001,
}

await db.persistHub(hub)

Reading Online Hubs

const hubs = await db.readOnlineHubs()
console.log('Online Hubs:', hubs)

Managing Certificate

Persisting a Certificate

const certificate = 
{
  id        : 'unique_certificate_id',
  validity  : new Date('2025-12-31T23:59:59.000Z'),
  cert      : 'certificate_value',
  key       : Buffer.from('encryption_key'),
  key_iv    : Buffer.from('initialization_vector'),
  key_salt  : Buffer.from('key_salt'),
  key_tag   : Buffer.from('key_tag'),
  pass      : Buffer.from('encrypted_passphrase'),
  pass_iv   : Buffer.from('pass_iv'),
  pass_salt : Buffer.from('pass_salt'),
  pass_tag  : Buffer.from('pass_tag'),
};

const isPersisted = await db.persistCertificate(certificate);
console.log('Persisted:', isPersisted);

Reading a Certificate

try 
{
  const certificate = await db.readCertificate('unique_certificate_id');
  console.log('Certificate:', certificate);
} 
catch (error) 
{
  if (error.code === 'E_EVENTFLOW_DB_CERTIFICATE_NOT_FOUND') 
  {
    console.error('Certificate not found');
  }
  else 
  {
    console.error('Error reading certificate:', error);
  }
}

Revoking a Certificate

const revoked = await db.revokeCertificate('unique_certificate_id');
console.log('Certificate revoked:', revoked);

Table Schemas

Below are the database schemas used in this component:

Certificate Table

Only expected to have 1 certificate for each ID active at the same time. Once a certificate is revoked, it will be be persisted with a version number greater than 0, hence partition it as cold data; archived.

CREATE TABLE IF NOT EXISTS certificate
(
  created   DATETIME(3)   NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
  updated   DATETIME(3)   NOT NULL DEFAULT CURRENT_TIMESTAMP(3) ON UPDATE CURRENT_TIMESTAMP(3),
  version   INT UNSIGNED  NOT NULL DEFAULT 0,
  id        VARCHAR(64)   NOT NULL,
  cert      TEXT          NOT NULL,
  `key`     BLOB          NOT NULL,
  key_iv    VARBINARY(16) NOT NULL,
  key_salt  VARBINARY(16) NOT NULL,
  key_tag   VARBINARY(16) NOT NULL,
  pass      BLOB          NOT NULL,
  pass_iv   VARBINARY(16) NOT NULL,
  pass_salt VARBINARY(16) NOT NULL,
  pass_tag  VARBINARY(16) NOT NULL,
  validity  DATETIME      NOT NULL,
  revoked   DATETIME          NULL,

  PRIMARY KEY (version, id)
)
ENGINE=InnoDB
PARTITION BY RANGE (version)
(
  PARTITION p_hot   VALUES LESS THAN (1),
  PARTITION p_cold  VALUES LESS THAN MAXVALUE
)

Event Table

CREATE TABLE IF NOT EXISTS event
(
  id        VARCHAR(64) NOT NULL,
  timestamp DATETIME(3) NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
  domain    VARCHAR(64) NOT NULL,
  rid       VARCHAR(64)     NULL,
  pid       VARCHAR(64) NOT NULL,
  name      VARCHAR(64) NOT NULL,
  data      JSON        NOT NULL,

  PRIMARY KEY (id),
  FOREIGN KEY (rid) REFERENCES event (id) ON DELETE SET NULL,

  INDEX idx_rid         (rid),
  INDEX idx_name        (name, timestamp),
  INDEX idx_domain      (domain, timestamp),
  INDEX idx_domain_pid  (domain, pid, timestamp)
)
ENGINE=InnoDB

Associated Event CPID Table

CREATE TABLE IF NOT EXISTS event_cpid
(
  event_id  VARCHAR(64) NOT NULL,
  cpid      VARCHAR(64) NOT NULL,

  PRIMARY KEY (event_id, cpid),
  FOREIGN KEY (event_id) REFERENCES event (id)
    ON UPDATE CASCADE
    ON DELETE CASCADE,
  INDEX idx_cpid (cpid)
)
ENGINE=InnoDB

Associated Event EID Table

CREATE TABLE IF NOT EXISTS event_eid
(
  event_id  VARCHAR(64) NOT NULL,
  eid       VARCHAR(64) NOT NULL,

  PRIMARY KEY (event_id, eid),
  FOREIGN KEY (event_id) REFERENCES event (id)
    ON UPDATE CASCADE
    ON DELETE CASCADE,
  INDEX idx_eid (eid)
)
ENGINE=InnoDB

Event Published Table

CREATE TABLE IF NOT EXISTS event_published 
(
  event_id        VARCHAR(64) NOT NULL,
  published       DATETIME    NOT NULL DEFAULT CURRENT_TIMESTAMP(),
  publisher       VARCHAR(64) NOT NULL,
  consumer        VARCHAR(64)     NULL,
  hub             VARCHAR(64)     NULL,
  consumed_hub    DATETIME        NULL,
  consumed_spoke  DATETIME        NULL,
  success         DATETIME        NULL,
  failed          DATETIME        NULL,
  orphan          DATETIME        NULL,

  PRIMARY KEY (event_id),
  FOREIGN KEY (hub)       REFERENCES hub    (id),
  FOREIGN KEY (event_id)  REFERENCES event  (id)
    ON UPDATE CASCADE
    ON DELETE CASCADE,
  INDEX idx_published       (published),
  INDEX idx_consumed_hub    (consumed_hub),
  INDEX idx_consumed_spoke  (consumed_spoke)
)
ENGINE=InnoDB

Event Scheduled Table

CREATE TABLE IF NOT EXISTS event_scheduled 
(
  event_id    VARCHAR(64) NOT NULL,
  timestamp   DATETIME    NOT NULL DEFAULT CURRENT_TIMESTAMP(),
  scheduled   DATETIME    NOT NULL,
  executed    DATETIME        NULL,
  success     DATETIME        NULL,
  failed      DATETIME        NULL,

  PRIMARY KEY (event_id),
  FOREIGN KEY (event_id) REFERENCES event (id)
    ON UPDATE CASCADE
    ON DELETE CASCADE,
  INDEX idx_timestamp   (timestamp),
  INDEX idx_scheduled   (scheduled),
  INDEX idx_executed    (executed),
  INDEX idx_success     (success),
  INDEX idx_failed      (failed)
)
ENGINE=InnoDB

Hub Table

CREATE TABLE IF NOT EXISTS hub 
(
  id            VARCHAR(64)       NOT NULL,
  timestamp     DATETIME          NOT NULL DEFAULT CURRENT_TIMESTAMP(),
  external_ip   VARCHAR(16)       NOT NULL,
  external_port SMALLINT UNSIGNED NOT NULL,
  internal_ip   VARCHAR(16)       NOT NULL,
  internal_port SMALLINT UNSIGNED NOT NULL,
  quit          DATETIME              NULL,

  PRIMARY KEY (id),
  INDEX idx_timestamp (timestamp),
  INDEX idx_external_ip_port (external_ip, external_port),
  INDEX idx_internal_ip_port (internal_ip, internal_port)
)
ENGINE=InnoDB

Log Table

Partition on timestamp to make it possible to archive logs.

CREATE TABLE IF NOT EXISTS log 
(
  timestamp DATETIME(3) NOT NULL DEFAULT CURRENT_TIMESTAMP(3),
  agent     VARCHAR(64) NOT NULL,
  message   TEXT        NOT NULL,
  error     JSON        NOT NULL,
  INDEX idx_timestamp (timestamp),
  INDEX idx_agent (agent)
)
ENGINE=InnoDB
PARTITION BY RANGE (TO_DAYS(timestamp)) 
(
  PARTITION p_hot VALUES LESS THAN MAXVALUE
)

Development

Build the Environment

The build script launches a MySQL container for testing:

npm run build

Running Tests

The library includes a test suite using node:test. Run tests using:

npm test

Test Coverage

▶ @superhero/eventflow-db
  ▶ Setup table schemas
    ▶ Persist a hub
      ✔ Read online hubs (8.808208ms)

      ▶ Persisting an event should generate an ID if not provided
        ✔ Read an event by id should return the same data as when persisted the event (9.057985ms)

        ▶ Schedule a persisted event
          ✔ Read all scheduled events (5.28951ms)
          ✔ Update scheduled event as executed (11.686935ms)
          ✔ Update scheduled event as success (10.393756ms)
          ✔ Update scheduled event as failed (9.877872ms)
        ✔ Schedule a persisted event (50.493271ms)

        ▶ Publish a persisted event
          ✔ Update published event to consumed by hub (8.985592ms)
          ✔ Update published event to consumed by spoke (10.847144ms)
          ✔ Update published event to success (8.945934ms)
          ✔ Update published event to failed (12.743366ms)
          ✔ Update published event to orphan (12.484305ms)
        ✔ Publish a persisted event (69.042999ms)

        ▶ Persist event cpid association
          ✔ Read events by domain and cpid (6.375096ms)
          ✔ Read associated cpid by event id (6.539711ms)
          ✔ Delete associated cpid by event id (35.785772ms)
          ✔ Read deleted associated cpid by event id returns empty (3.44164ms)
        ✔ Persist event cpid association (63.474382ms)

        ▶ Persist event eid association
          ✔ Read events by eid (3.186193ms)
          ✔ Read events by domain and eid (3.211094ms)
          ✔ Read associated eid by event id (5.22712ms)
          ✔ Delete associated eid by event id (4.791241ms)
          ✔ Read deleted associated eid by event id returns empty (2.82022ms)
        ✔ Persist event eid association (25.839658ms)

        ▶ Delete event
          ✔ Reading a deleted event rejects (2.870914ms)
        ✔ Delete event (12.001935ms)

        ▶ By domain and pid
          ✔ Read event by domain and pid (4.653075ms)
          ✔ Delete event by domain and pid (6.649683ms)
          ✔ Read empty eventlog by domain and pid (2.870288ms)
        ✔ By domain and pid (19.564013ms)
      ✔ Persisting an event should generate an ID if not provided (257.977724ms)

      ✔ Persist log (8.236839ms)
      ✔ Update hub to quit (11.86896ms)

      ▶ Certificate management
        ✔ Persist a certificate (9.410534ms)
        ✔ Persisting a duplicate certificate should return false (3.669139ms)
        ✔ Read a persisted certificate by id (9.817305ms)
        ✔ Reading a non-existing certificate should reject with an error (3.705119ms)

        ▶ Revoke a persisted certificate
          ✔ Reading a revoked certificate should reject with an error (3.894204ms)
        ✔ Revoke a persisted certificate (14.21005ms)

        ▶ Revoke certificates that past there validity period
          ✔ Reading a revoked certificate should reject with an error (2.925027ms)
        ✔ Revoke certificates that past there validity period (13.092224ms)
      ✔ Certificate management (44.130336ms)
    ✔ Persist a hub (339.721847ms)

    ✔ Reading a non existing event should reject with an error (6.280731ms)
  ✔ Setup table schemas (431.031157ms)
✔ @superhero/eventflow-db (436.106715ms)

tests 43
suites 1
pass 43

-------------------------------------------------------------------------------------------------------------------------
file            | line % | branch % | funcs % | uncovered lines
-------------------------------------------------------------------------------------------------------------------------
config.js       | 100.00 |   100.00 |  100.00 | 
index.js        |  69.41 |    56.25 |   97.92 | 43-48 58-62 73-77 88-92 103-107 118-122 133-137 148-153 186-191 203-207…
index.test.js   | 100.00 |   100.00 |  100.00 | 
-------------------------------------------------------------------------------------------------------------------------
all files       |  79.42 |    70.83 |   98.92 | 
-------------------------------------------------------------------------------------------------------------------------

License

This project is licensed under the MIT License.

Contributing

Feel free to submit issues or pull requests for improvements or additional features.