Skip to main content
The Workflow DevKit uses event sourcing to track all state changes in workflow executions. Every mutation creates an event that is persisted to the event log, and entity state is derived by replaying these events. This page explains the event sourcing model and entity lifecycles.

Event Sourcing Overview

Event sourcing is a persistence pattern where state changes are stored as a sequence of events rather than by updating records in place. The current state of any entity is reconstructed by replaying its events from the beginning. Benefits for durable workflows:
  • Complete audit trail: Every state change is recorded with its timestamp and context
  • Debugging: Replay the exact sequence of events that led to any state
  • Consistency: Events provide a single source of truth for all entity state
  • Recoverability: State can be reconstructed from the event log after failures
In the Workflow DevKit, the following entity types are managed through events:
  • Runs: Workflow execution instances (materialized in storage)
  • Steps: Individual atomic operations within a workflow (materialized in storage)
  • Hooks: Suspension points that can receive external data (materialized in storage)
  • Waits: Sleep or delay operations (materialized in storage)

Entity Lifecycles

Each entity type follows a specific lifecycle defined by the events that can affect it. Events transition entities between states, and certain states are terminal—once reached, no further transitions are possible.

Run Lifecycle

A run represents a single execution of a workflow function. Runs begin in pending state when created, transition to running when execution starts, and end in one of three terminal states. Run states:
  • pending: Created but not yet executing
  • running: Actively executing workflow code
  • completed: Finished successfully with an output value
  • failed: Terminated due to an unrecoverable error
  • cancelled: Explicitly cancelled by the user or system

Step Lifecycle

A step represents a single invocation of a step function. Steps can retry on failure, either transitioning back to pending via step_retrying or being re-executed directly with another step_started event. Step states:
  • pending: Created but not yet executing, or waiting to retry
  • running: Actively executing step code
  • completed: Finished successfully with a result value
  • failed: Terminated after exhausting all retry attempts

Hook Lifecycle

A hook represents a suspension point that can receive external data. Hooks can receive multiple payloads while active and are disposed when no longer needed. Hook states:
  • active: Ready to receive payloads (hook exists in storage)
  • disposed: No longer accepting payloads (hook is deleted from storage)
  • conflicted: Hook creation failed because the token is already in use by another workflow

Wait Lifecycle

A wait represents a sleep operation. Waits track when a delay period has elapsed. Wait states:
  • waiting: Delay period has not yet elapsed
  • completed: Delay period has elapsed, workflow can resume

Event Types Reference

Events are categorized by the entity type they affect. Each event contains metadata including a timestamp and a correlationId that links the event to a specific entity.

Run Events

EventDescription
run_createdCreates a new workflow run in pending state. Contains the deployment ID, workflow name, input arguments, and optional execution context.
run_startedTransitions the run to running state when execution begins.
run_completedTransitions the run to completed state with the workflow’s return value.
run_failedTransitions the run to failed state with error details and optional error code.
run_cancelledTransitions the run to cancelled state. Can be triggered from pending or running states.

Step Events

EventDescription
step_createdCreates a new step in pending state. Contains the step name and serialized input arguments.
step_startedTransitions the step to running state. Includes the current attempt number for retries.
step_completedTransitions the step to completed state with the step’s return value.
step_failedTransitions the step to failed state with error details. The step will not be retried.
step_retrying(Optional) Transitions the step back to pending state for retry. Contains the error that caused the retry and optional delay before the next attempt.

Hook Events

EventDescription
hook_createdCreates a new hook in active state. Contains the hook token and optional metadata.
hook_conflictRecords that hook creation failed because the token is already in use by another active hook.
hook_receivedRecords that a payload was delivered to the hook. The hook remains active and can receive more payloads.
hook_disposedDeletes the hook from storage (conceptually transitioning to disposed state).

Wait Events

EventDescription
wait_createdCreates a new wait in waiting state. Contains the timestamp when the wait should complete.
wait_completedTransitions the wait to completed state when the delay period has elapsed.

Event Consumption and Replay

The EventsConsumer class manages the sequential processing of events during workflow replay. It implements a subscription-based model where different parts of the workflow runtime can subscribe to specific event types. How it works:
  1. Sequential Processing: Events are consumed in order, one at a time
  2. Callback Subscription: Components subscribe with callbacks that inspect each event
  3. Result Handling: Callbacks return:
    • Consumed: Event processed, continue to next event
    • NotConsumed: Event doesn’t match, try next callback
    • Finished: Event processed, remove this callback
Example from workflow.ts:
// Subscribe to consume run lifecycle events
workflowContext.eventsConsumer.subscribe((event) => {
  if (!event) return EventConsumerResult.NotConsumed;
  
  if (event.eventType === 'run_created') {
    return EventConsumerResult.Consumed;
  }
  
  if (event.eventType === 'run_started') {
    return EventConsumerResult.Consumed;
  }
  
  return EventConsumerResult.NotConsumed;
});
This pattern allows the workflow runtime to replay execution by “fast-forwarding” through completed steps using cached results from the event log, while suspending when it encounters a step that hasn’t completed yet.

Entity IDs

All entities in the Workflow DevKit use a consistent ID format: a 4-character prefix followed by an underscore and a ULID (Universally Unique Lexicographically Sortable Identifier).
EntityPrefixExample
Runwrun_wrun_01HXYZ123ABC456DEF789GHJ
Stepstep_step_01HXYZ123ABC456DEF789GHJ
Hookhook_hook_01HXYZ123ABC456DEF789GHJ
Waitwait_wait_01HXYZ123ABC456DEF789GHJ
Eventevnt_evnt_01HXYZ123ABC456DEF789GHJ
Streamstrm_strm_01HXYZ123ABC456DEF789GHJ
Why this format?
  • Prefixes enable introspection: Given any ID, you can immediately identify what type of entity it refers to
  • ULIDs enable chronological ordering: ULIDs encode a timestamp in their first 48 bits, making them lexicographically sortable by creation time

Terminal States and Consistency

Terminal states represent the end of an entity’s lifecycle. Once an entity reaches a terminal state, no further events can transition it to another state. Run terminal states:
  • completed: Workflow finished successfully
  • failed: Workflow encountered an unrecoverable error
  • cancelled: Workflow was explicitly cancelled
Step terminal states:
  • completed: Step finished successfully
  • failed: Step failed after all retry attempts
Hook terminal states:
  • disposed: Hook has been deleted from storage
  • conflicted: Hook creation failed due to token conflict
Wait terminal states:
  • completed: Delay period has elapsed
Attempting to create an event that would transition an entity out of a terminal state will result in an error. This prevents inconsistent state and ensures the integrity of the event log.

Debugging with Events

The event log provides complete visibility into workflow execution: Query all events for a run:
const events = await world.events.list({ 
  runId: 'wrun_01HXYZ123ABC456DEF789GHJ' 
});
Filter by correlation ID:
const stepEvents = events.filter(
  e => e.correlationId === 'step_01HXYZ123ABC456DEF789GHJ'
);
Build entity timelines:
const timeline = stepEvents.map(e => ({
  timestamp: e.createdAt,
  type: e.eventType,
  data: e.eventData
}));
This event-driven architecture enables powerful debugging capabilities, complete audit trails, and deterministic replay—the foundation of durable workflow execution.

Build docs developers (and LLMs) love