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

graphile-saga

v0.0.3

Published

A TypeScript library for managing complex, multi-step processes with automatic rollback capabilities in the event of a failure. Built on top of [`graphile-worker`](https://github.com/graphile/worker), and [`graphile-worker-zod`](https://github.com/ben-pr-

Downloads

14

Readme

graphile-saga

A TypeScript library for managing complex, multi-step processes with automatic rollback capabilities in the event of a failure. Built on top of graphile-worker, and graphile-worker-zod, graphile-saga provides a robust solution for implementing the saga pattern with strong type safety and easy to implement cancellation semantics.

Installation

To install graphile-saga, you can use npm, yarn, or bun:

bun add graphile-saga

Usage

To create a saga, first define the initial payload schema with zod, then use new Saga to define the saga steps. Each step can have a run function and an optional cancel function for rollback purposes.

// makeSeservationSaga.ts
import { Saga } from 'graphile-saga';
import { z } from 'zod';
import { hotelService, flightService, carService } from './travelServices';

// Define your saga
const makeReservationSaga = new Saga('makeReservation', z.object({
  hotelId: z.number(),
  airlineId: z.number(),
  carId: z.number(),
}))
  .addStep({
    name: 'reserveHotel',
    run: async (initialPayload, priorResults, helpers) => {
      const hotelConfirmation = await hotelService.reserve(initialPayload.hotelId);
      return { hotelConfirmation };
    },
    cancel: async (initialPayload, priorResults, runResult, helpers) => {
      await hotelService.cancelReservation(runResult.hotelConfirmation);
    },
  })
  .addStep({
    name: 'reserveFlight',
    run: async (initialPayload, priorResults, helpers) => {
      const flightConfirmation = await flightService.bookFlight(initialPayload.airlineId);
      return { flightConfirmation };
    },
    cancel: async (initialPayload, priorResults, runResult, helpers) => {
      await flightService.cancelFlight(runResult.flightConfirmation);
    },
  })
  .addStep({
    name: 'reserveCar',
    run: async (initialPayload, priorResults, helpers) => {
      const carAvailable = await carService.checkAvailability(initialPayload.carId);
      if (!carAvailable) {
        // Cancel throws a custom error which triggers rollbacks all the way up
        helpers.cancel('Car not available');
      }
      const carConfirmation = await carService.reserveCar(initialPayload.carId);
      return { carConfirmation };
    },
    cancel: async (initialPayload, priorResults, runResult, helpers) => {
      await carService.cancelCarReservation(runResult.carConfirmation);
    },
  });

Not every step needs to have a cancel function. If a step does not have a cancel function, the saga will automatically progress rolling back to the previous step.

// worker.ts
import { makeReservationSaga } from './makeReservationSaga';

const taskList = {
  // this has all of your regular graphile worker tasks
  // just add your saga task lists to it
  ...makeReservationSaga.getTaskList()
  ...otherSaga.taskList()
} as const;

Then you can queue a makeReservation job by any allowed method, and the whole saga will run.

In addition to implementing things that might be cancellable, graphile-saga can also help you avoid retrying things that might be expensive, computationally or monetarily:

import { makeAi } from 'zod-ai';

const client = new OpenAI(process.env.OPENAI_API_KEY);

const ai = makeAi({
  client,
  model: "gpt-4",
});

const draftEmailFunction = ai(
  z
    .function()
    .args(z.string())
    .returns(z.object({
      subject: z.string(),
      body: z.string(),
    }))
    .describe(
      "Draft an email to a recipient for a given purpose."
    )
)

const haveAiWriteEmailSaga = new Saga('haveAiWriteEmail', z.object({
  recipient: z.string().email(),
  purpose: z.string(),
}))
  .addStep({
    name: 'draftEmail',
    run: async (initialPayload, priorResults, helpers) => {
      // Expensive gpt-4 call
      const { subject, body } = await draftEmailFunction(initialPayload.purpose);
      return { subject, body };
    }
  })
  .addStep({
    name: 'sendEmail',
    run: async (initialPayload, priorResults, helpers) => {
      // Email sending that could fail for all sorts of good, retryable reasons
      await mailchimp.sendEmail(initialPayload.email);
    }
  })

Danger

We have no way of preventing you from queueing a saga task directly, since it's just a regular graphile worker task. However, if you do this, the job will fail, because we intercept and add extra properties to the payload to make the continuation and rollback semantics work correctly.

To make this easier to avoid (and to cut down on some Typescript noise) we provide an AddJobFn type that excludes the ability to queue a saga job directly.

import { createTask, createTaskList } from 'graphile-worker-zod';
import { run, TaskList } from 'graphile-worker';
import { AddJobFn } from 'graphile-saga';
import { makeReservationSaga } from './makeReservationSaga';
import { z } from 'zod'

const sendEmail = createTask(
  z.object({
    email: z.string().email(),
  }),
  async (payload, jobHelpers) => {
    // payload is typed as { email: string }
    // send email
  }
)

const taskList = {
  sendEmail,
  ...makeReservationSaga.getTaskList()
} as const; // you need this as const declaration!!!

let runner: Runner;

export const startWorker = async () => {
  runner = await run({
    pgPool: pool // definition not shown,
    taskList: taskList as TaskList // cast required because type has extra info graphile-worker doesn't want
  })
}

/**
 * If graphile-worker-zod's AddJobFn was used, the typeof addJob would be:
 * (taskName: "sendEmail", payload: { email: string }) => Promise<Job>
 * (taskName: "makeReservation", payload: { hotelId: number; airlineId: number; carId: number; }) => Promise<Job>
 * (taskName: "makeReservation|reserveHotel", payload: { hotelId: number; airlineId: number; carId: number; }) => Promise<Job>
 * (taskName: "makeReservation|reserveHotel|cancel", ...
 * (taskName: "makeReservation|reserveFlight, ...
 * ...
 * 
 * It's too much! With 'graphile-saga's AddJobFn you get just the first two.
 * 
 */
export const addJob: AddJobFn<typeof TaskList> = async (taskName, payload) => {
  if (!runner) {
    throw new Error('Add job called before worker started');
  }

  return runner.addJob(taskName, payload);
}

Motivation

The saga pattern is a sequence of transactions that updates multiple services in a distributed system. If one transaction fails, the saga automatically executes compensating transactions to undo the changes made by the preceding successful transactions. graphile-saga leverages TypeScript's type system to ensure that each step of the saga receives the correct types for payloads and results, reducing the likelihood of runtime errors and making the code easier to reason about.

Under The Hood

graphile-saga maps each step in a saga to specific task names that are used by graphile-worker. For a saga named mySaga with steps step1, step2, etc., the task names would be:

  • mySaga: The initial task that starts the saga.
  • mySaga:step1: The task corresponding to the first step of the saga.
  • mySaga:step1:cancel: The task that handles cancellation of the first step, if defined.
  • mySaga:step2: The task for the second step, and so on.

Each task is strongly typed, and the task list is automatically generated based on the saga definition, ensuring that all steps adhere to the defined types and logic.

graphile-saga also automates the process of queueing the next step in the saga, as well as any necessary cancellation steps. This ensures that you don't have to manually manage the flow of the saga or the rollback logic.