
Security News
Axios Maintainer Confirms Social Engineering Attack Behind npm Compromise
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.
Durable, replay-safe workflow orchestration for TypeScript & Node.js — powered by BullMQ and Redis.
Generator-based workflows that combine the elegance of Laravel Workflow with the reliability of Temporal.
Durabull brings generator-based workflow orchestration to TypeScript.
Author workflows as async *execute() coroutines, orchestrate idempotent activities, and run them safely on top of BullMQ and Redis — with full deterministic replay guarantees.
npm install durabull bullmq ioredis
# or
pnpm add durabull bullmq ioredis
import { Durabull } from 'durabull';
const durabull = new Durabull({
redisUrl: process.env.REDIS_URL ?? 'redis://127.0.0.1:6379',
queues: {
workflow: 'durabull-workflow',
activity: 'durabull-activity',
},
serializer: 'json',
pruneAge: '30 days',
// Optional: Queue routing for multi-tenant support
// The context object is passed from WorkflowStub.make(WorkflowClass, { context: { ... } })
queueRouter: (workflowName, context) => {
const tenant = context?.tenantId;
return tenant ? {
workflow: `tenant-${tenant}-workflow`,
activity: `tenant-${tenant}-activity`,
} : undefined;
},
// Optional: Lifecycle hooks for observability
lifecycleHooks: {
workflow: {
onStart: async (id, name, args) => console.log(`Workflow ${name} started`),
onComplete: async (id, name, output) => console.log(`Workflow ${name} completed`),
onFailed: async (id, name, error) => console.error(`Workflow ${name} failed`, error),
},
},
// logger: optional structured logger with info/warn/error/debug methods
});
durabull.setActive();
import { Activity } from 'durabull';
export class SayHello extends Activity<[string], string> {
tries = 3;
timeout = 5; // seconds
async execute(name: string): Promise<string> {
return `Hello, ${name}!`;
}
}
import { Workflow, ActivityStub } from 'durabull';
import { SayHello } from './SayHello';
export class GreetingWorkflow extends Workflow<[string], string> {
async *execute(name: string) {
const message = yield ActivityStub.make(SayHello, name);
return message;
}
}
import { WorkflowStub } from 'durabull';
import { GreetingWorkflow } from './GreetingWorkflow';
const wf = await WorkflowStub.make(GreetingWorkflow);
await wf.start('World');
console.log(await wf.output()); // "Hello, World!"
Expose workflows via HTTP using createWebhookRouter.
import { createWebhookRouter, TokenAuthStrategy } from 'durabull';
import { GreetingWorkflow } from './GreetingWorkflow';
const router = createWebhookRouter({
authStrategy: new TokenAuthStrategy('my-secret-token'),
});
router.registerWebhookWorkflow('greeting', GreetingWorkflow);
// Use with Express/Fastify/etc.
app.post('/webhooks/*', async (req, res) => {
const response = await router.handle({
method: req.method,
path: req.path,
headers: req.headers,
body: req.body,
});
res.status(response.statusCode).send(response.body);
});
| Capability | Description |
|---|---|
| 🧩 Generator-based workflows | Use async *execute() and yield for deterministic orchestration. |
| ⚙️ Idempotent activities | Encapsulate retries, backoff, and heartbeats for safe IO. |
| ⏳ Deterministic replay | Rebuild workflow state from event history — crash-safe and restart-safe. |
| 💬 Signals & Queries | Interact dynamically with live workflows via decorators. |
| 🧵 Saga & Compensation | Built-in support for distributed transactions. |
| ⏱ Timers & Await | Durable timers via WorkflowStub.timer() and WorkflowStub.await(). |
| 🩺 Observability | Full event history, heartbeats, and pruning controls. |
| 🪝 Webhooks | Trigger workflows and signals via HTTP with pluggable auth. |
Extend Workflow and implement async *execute().
Use ActivityStub.make() or ActivityStub.all() to orchestrate sequential or parallel work.
import { Workflow, ActivityStub } from 'durabull';
import { ChargeCard, EmailReceipt } from './activities';
export class CheckoutWorkflow extends Workflow<[string, number], string> {
async *execute(orderId, amount) {
const chargeId = yield ActivityStub.make(ChargeCard, orderId, amount);
yield ActivityStub.make(EmailReceipt, orderId, chargeId);
return chargeId;
}
}
Extend Activity and implement execute().
Configure retry logic and call this.heartbeat() for long-running jobs.
import { Activity, NonRetryableError } from 'durabull';
export class ChargeCard extends Activity<[string, number], string> {
tries = 5;
timeout = 15;
async execute(orderId, amount) {
const res = await paymentGateway.charge(orderId, amount);
if (!res.ok) throw new NonRetryableError(res.error);
return res.chargeId;
}
}
Run any example from the /examples directory:
npm run example:greeting # Basic workflow + activity
DOCS.md — Full Durabull guide for TypeScript usersexamples/ — Complete working examplestests/ — Jest test suite covering all core behaviorsWe welcome contributions!
feat/my-feature)npm test passesnpm run lint)Durabull is open-source software licensed under the MIT License. © 2025 Durabull contributors.
FAQs
A durable workflow engine built on top of BullMQ and Redis
We found that durabull demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.

Security News
The Axios compromise shows how time-dependent dependency resolution makes exposure harder to detect and contain.