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

lidex

v4.0.0

Published

lightweight durable execution library

Downloads

30

Readme

Lidex

Build

Lidex is a lightweight durable execution library that allows you to write and execute workflows.

Motivation

My interest in durable execution starts from a desire to reduce complexity in software architectures. After evaluating the most popular durable execution solutions I have noticed:

  • That most require to run an additional service provided by the developer of the solution.
  • That often, design choices are made just to monetize.
  • That a certain database is required, so if you don't use that in your system, then is more infrastructure that you have to handle.
  • That APIs require you to write the code in non-idiomatic ways.

Based on this, Lidex goals are:

  • Provide a minimum set of durable execution capabilities (step, sleep, start).
  • Be compatible with the most popular databases, so no additional infrastructure is required.
  • Integrate easily with your current codebase.

Features

Lightweight

No additional services are required. Your Node.js app can start workflows and also execute them.

Scalable

Scale horizontally by adding simply more instances of your service so you can process more workflows.

Persistence agnostic

The package has zero-dependencies. Persistence is implemented in another package. This design desicion allows teams to use their database of choice and not having to add new infrastructure to their system.

For MongoDB there is lidex-mongo. Other persistence providers will follow in the near future.

Minimalistic

It adds a minimal of features to implement a realiable durable execution solution. It implements start, step and sleep only.

Typed

Written in TypeScript, types provided in the package.

Install

npm install lidex

And to add the persistence:

npm install lidex-mongo

Basic usage

Writting a workflow.

async collectPayment(ctx: Context, invoiceId: string): Promise<void> {
  const invoice = await ctx.step("find-invoice", async () => {
    return await this.invoiceRepo.find(invoiceId);
  });

  if (!invoice) {
    return;
  }

  if (invoice.paid) {
    return;
  }

  const account = await ctx.step("find-account", async () => {
    return await this.accountRepo.find(invoice.accountId);
  });

  if (!account) {
    return;
  }

  // Try to capture the payment up to 3 times.
  for (let i = 0; i < 3; i++) {
    const success = await ctx.step(`capture-payment-${i}`, async () => {
      return await this.paymentApi.capture(
        account.paymentToken,
        invoice.amount,
      );
    });

    if (success) {
      await ctx.step("mark-invoice-as-paid", async () => {
        await this.invoiceRepo.markAsPaid(invoice.id);
      });

      return;
    }

    // Wait 24h between attempts.
    await ctx.sleep(`sleep-${i}`, 86_400_000 );
  }

  // Start the blocking workflow.
  await ctx.start(`block-account-${account.id}`, "block-account", account.id);
}

Creating a client and a worker.

// Express and services setup omitted...
const handlers = new Map();

handlers.set(
  "collect-payment",
  invoiceService.collectPayment.bind(invoiceService),
);

const persistence = makeMongoPersistence("mongodb://localhost:27017/lidex");
await persistence.init();
const client = await makeClient(persistence);
const worker = await makeWorker(persistence, handlers);

app.post("/invoices/:invoiceId/collect", async (req, res) => {
  const invoiceId = req.params.invoiceId;

  await client.start(
    `collect-payment-${invoiceId}`,
    "collect-payment",
    invoiceId,
  );

  res.send();
});

app.listen(port, () => {
  console.log(`invoice service listening on port ${port}`);
});

await worker.poll();

Full example here

The Context functions

The step function

Every non-deterministic operation in the workflow should be executed within a step. This is at the heart of durable execution.

When a function is executed, its result is stored in the database. If the server restarts, the workflow is resumed without executing these steps and continues until the workflow is finished.

The sleep function

Sleep is a special kind of step, one important difference is that the id and the wake-up time are stored before putting the workflow to sleep. If the server crashes, the workflow is not resumed until after the wake-up time.

The start function

Is just a conveniently placed proxy to the client's start function. It starts a new workflow which holds no relationship to the one currently running. There is no concept of parent/child workflows in Lidex.

The Client functions

The start function

It starts a new workflow, it does this by creating a workflow in the database. The start function is idempotent and if it is called with the same id it will just return false instead of failing.

The poll function

It turns the app into a worker. It starts polling workflows that are ready to be picked-up and it runs them. If it does not find any workflow to be claimed, it makes a pause for a duration that is configured.

The wait function

A function that allows you to wait until a workflow matches a given status. It is useful for short-lived workflows that will either fail or succeed quickly and allows apps to return synchronous responses.

Configuration object

This is the configuration required to create a client. | Property | Default | Description | --------------------|-----------|-------------- | persistence | | The persistence provider. |

This is the configuration required to create a worker. | Property | Default | Description | --------------------|-----------|-------------- | handlers | | A map where the key is the handler identifier and the value is the the handler function. This is how Lidex know during runtime what function should be used to run the workflow. | | persistence | | The persistence provider. | | maxFailures | 3 | The max amount of time a workflow can fail before changing it's status to "aborted". | | timeoutIntervalMs | 1 minute | The amount of milliseconds for timeouts. After timing out, a running workflow is considered ready to be picked-up by any other instance polling workflows. | | pollIntervalMs | 1 second | It defines the length of the pause between poll calls to the database when last call was empty. | | retryIntervalMs | 1 minute | It defines the length of the pause between retries. |