> restate
Build resilient distributed applications with Restate — durable execution engine for TypeScript/Java/Go. Use when someone asks to "durable execution", "Restate", "resilient workflows", "distributed transactions", "saga pattern", "fault-tolerant services", or "replace Temporal with something lighter". Covers durable handlers, virtual objects, workflows, and sagas.
curl "https://skillshub.wtf/TerminalSkills/skills/restate?format=md"Restate
Overview
Restate is a durable execution engine — your code runs reliably even when things crash. Write normal async functions, and Restate ensures they complete: if a service crashes mid-execution, it resumes exactly where it left off. No lost state, no duplicate side effects. Like Temporal but with a simpler programming model — just annotate your functions, no state machines or DSLs.
When to Use
- Distributed transactions (payment → inventory → shipping)
- Long-running workflows that must complete (onboarding, provisioning)
- Saga pattern with compensating actions (rollback on failure)
- Exactly-once processing of events
- Replacing complex retry/queue logic with durable execution
Instructions
Setup
npm install @restatedev/restate-sdk
# Run Restate server
docker run --name restate -p 8080:8080 -p 9070:9070 docker.io/restatedev/restate:latest
Durable Service
// services/payment.ts — Durable payment service
import * as restate from "@restatedev/restate-sdk";
const paymentService = restate.service({
name: "payments",
handlers: {
// This handler is durable — if it crashes between steps,
// it resumes where it left off without re-executing completed steps
async processPayment(ctx: restate.Context, order: {
orderId: string;
userId: string;
amount: number;
}) {
// Step 1: Reserve inventory (durable — won't re-run if already done)
const reserved = await ctx.run("reserve-inventory", async () => {
return await inventoryApi.reserve(order.orderId);
});
// Step 2: Charge payment
const charge = await ctx.run("charge-payment", async () => {
return await stripeApi.charge(order.userId, order.amount);
});
// Step 3: Confirm order
await ctx.run("confirm-order", async () => {
await orderDb.confirm(order.orderId, charge.id);
});
// Step 4: Send notification (won't duplicate even if retried)
await ctx.run("notify", async () => {
await emailApi.send(order.userId, "Order confirmed!");
});
return { orderId: order.orderId, chargeId: charge.id, status: "completed" };
},
},
});
restate.endpoint().bind(paymentService).listen(9080);
Virtual Objects (Stateful Entities)
// services/cart.ts — Stateful shopping cart (single-writer per key)
const cartObject = restate.object({
name: "cart",
handlers: {
// Only one handler runs per cart ID at a time — no race conditions
async addItem(ctx: restate.ObjectContext, item: { productId: string; quantity: number }) {
// Get current cart state (durable K/V)
const cart = (await ctx.get<CartItem[]>("items")) || [];
cart.push(item);
ctx.set("items", cart);
return { items: cart.length };
},
async checkout(ctx: restate.ObjectContext) {
const items = (await ctx.get<CartItem[]>("items")) || [];
if (items.length === 0) throw new Error("Cart is empty");
// Process payment durably
const result = await ctx.serviceClient(paymentService).processPayment({
orderId: ctx.key,
items,
});
// Clear cart after successful payment
ctx.clear("items");
return result;
},
async getItems(ctx: restate.ObjectSharedContext) {
return (await ctx.get<CartItem[]>("items")) || [];
},
},
});
Saga Pattern (Compensating Actions)
// services/booking.ts — Saga with automatic rollback
const bookingService = restate.service({
name: "booking",
handlers: {
async bookTrip(ctx: restate.Context, trip: TripRequest) {
let flightId: string | null = null;
let hotelId: string | null = null;
try {
// Book flight
flightId = await ctx.run("book-flight", () => flightApi.book(trip.flight));
// Book hotel
hotelId = await ctx.run("book-hotel", () => hotelApi.book(trip.hotel));
// Book car
const carId = await ctx.run("book-car", () => carApi.book(trip.car));
return { flightId, hotelId, carId, status: "confirmed" };
} catch (error) {
// Compensate: cancel what was already booked
if (hotelId) await ctx.run("cancel-hotel", () => hotelApi.cancel(hotelId));
if (flightId) await ctx.run("cancel-flight", () => flightApi.cancel(flightId));
throw error;
}
},
},
});
Examples
Example 1: Reliable payment processing
User prompt: "Build a payment flow that never loses a charge — even if the server crashes between charging the card and updating the database."
The agent will use Restate durable execution to ensure each step (charge, update DB, send receipt) executes exactly once.
Example 2: Distributed saga for e-commerce
User prompt: "Implement an order workflow: reserve inventory → charge payment → ship. If any step fails, roll back everything."
The agent will create a Restate service with the saga pattern, compensating actions for each step, and durable state tracking.
Guidelines
ctx.run()for side effects — makes external calls durable and idempotent- Virtual objects for stateful entities — single-writer guarantee per key
- Sagas with try/catch — compensate in catch block, each compensation is also durable
- No message queues needed — Restate handles delivery and retries
ctx.sleep()for delays — durable timers that survive crashes- Service calls are durable —
ctx.serviceClient(svc).method()retries automatically - Shared handlers — read-only handlers that can run concurrently
- Simple programming model — write normal async functions, not state machines
- Self-hosted — single binary, Postgres or RocksDB for state
- HTTP invocation — trigger handlers via HTTP POST
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.