Durable Objects: Strongly Consistent State and WebSockets at the Edge
Durable Objects are the most powerful primitive in the Cloudflare ecosystem: allow strongly consistent state, WebSocket with session management and distributed coordination without centralized servers, all at the global edge.
The State Problem in Edge Computing
Previous articles in this series have shown how Cloudflare Workers excels for stateless workloads: each request is handled in isolation, without shared memory between invocations. This feature is a strong point for scalability horizontal, but becomes an obstacle as soon as the application requires coordination.
Consider these common scenarios: A chat room where messages need to be ordered and delivered to all participants; a collaborative document where more users edit simultaneously; a rate limiter for APIs that need to count requests in a globally coherent way. In all these cases the stateless model of the Workers it's not enough: you need one been highly consistent and capacity to coordinate competing requests in one place.
This is exactly the problem that i Durable Objects they solve.
What You Will Learn
- What is a Durable Object and how does it differ from Workers KV
- The strong consistency model: single-writer, global coordination
- How to implement WebSocket with session management using Durable Objects
- Transactional storage: read, write and atomic transactions
- Patterns for chat rooms, rate limiting and document collaboration
- Alarms: scheduled operations within the Durable Object
- Limits, pricing and when to choose DO vs KV vs D1
What is a Durable Object
A Durable Object (DO) is a JavaScript/TypeScript class that Cloudflare instantiates in a single geographic location for a given identifier. Unlike Workers KV (possible consistency on 300+ PoPs), a DO has these guarantees:
- Single-writer consistency: only one instance of the DO exists worldwide for a given ID
- Serialization of requests: DO calls are executed sequentially, never concurrently
- Durable Storage: a private transactional key-value store for each instance
- WebSocket hibernation: WebSocket connections survive idle periods without cost
The location of a DO is automatically determined upon first activation and remains fixed. Cloudflare chooses the datacenter closest to the first request. All subsequent requests, anywhere in the world, are routed to that single one instance via Cloudflare anycast routing.
| Primitive | Consistency | Competition | Read latency | Use case |
|---|---|---|---|---|
| Workers KV | Eventual (minutes) | Multi-writer | ~1ms (cached) | Config, assets, read-heavy sessions |
| Durable Objects | Strong (linearizable) | Single writer | ~50-150ms (from remote edge) | Chat, rate limiter, game state, CRDT |
| D1 SQLite | Strong (primary) | Multi-reader, single-writer | ~5-20ms (from nearby PoP) | Relational queries, reports, OLTP |
| R2 Object Storage | Strong (by object) | Multi-writer (conflict detection) | ~50-200ms | Files, images, backups |
Structure of a Durable Object
A Durable Object is a class with specific methods that the Cloudflare runtime
recognizes. The most important is fetch(), called for every
HTTP request forwarded to the DO. Let's see the basic structure:
// src/counter-do.ts
// Un Durable Object semplice: un contatore con persistenza
export class CounterDO implements DurableObject {
private state: DurableObjectState;
private env: Env;
constructor(state: DurableObjectState, env: Env) {
this.state = state;
this.env = env;
// state.storage e il key-value store privato di questa istanza
// Persiste attraverso i riavvii del DO
}
async fetch(request: Request): Promise<Response> {
const url = new URL(request.url);
switch (url.pathname) {
case '/increment': {
// Legge il valore corrente (undefined se non esiste)
const current = (await this.state.storage.get<number>('count')) ?? 0;
const next = current + 1;
// Scrittura atomica: garantita durabile prima del return
await this.state.storage.put('count', next);
return Response.json({ count: next });
}
case '/decrement': {
const current = (await this.state.storage.get<number>('count')) ?? 0;
const next = Math.max(0, current - 1);
await this.state.storage.put('count', next);
return Response.json({ count: next });
}
case '/value': {
const count = (await this.state.storage.get<number>('count')) ?? 0;
return Response.json({ count });
}
case '/reset': {
await this.state.storage.put('count', 0);
return Response.json({ count: 0, reset: true });
}
default:
return new Response('Not Found', { status: 404 });
}
}
}
interface Env {
COUNTER: DurableObjectNamespace;
}
To use the DO from the Worker entry point, you must instantiate it via namespace binding and an ID:
// src/worker.ts - entry point del Worker
export { CounterDO } from './counter-do';
export default {
async fetch(request: Request, env: Env): Promise<Response> {
const url = new URL(request.url);
// Estrae l'ID dalla query string: /counter?id=room-1
const counterId = url.searchParams.get('id') ?? 'global';
// idFromName() crea un ID deterministico da una stringa
// Lo stesso nome produce sempre lo stesso ID (e la stessa istanza)
const id = env.COUNTER.idFromName(counterId);
// Ottiene lo stub per comunicare con l'istanza
const stub = env.COUNTER.get(id);
// Invia la richiesta al Durable Object
// La richiesta viene instradata al datacenter corretto automaticamente
return stub.fetch(request);
},
};
interface Env {
COUNTER: DurableObjectNamespace;
}
The configuration wrangler.toml must declare the binding:
# wrangler.toml
name = "counter-worker"
main = "src/worker.ts"
compatibility_date = "2024-09-23"
compatibility_flags = ["nodejs_compat"]
[[durable_objects.bindings]]
name = "COUNTER"
class_name = "CounterDO"
[[migrations]]
tag = "v1"
new_classes = ["CounterDO"]
WebSocket with Durable Objects: Chat Room
The most powerful use case of Durable Objects is session management Shared stateful WebSocket. Each chat room is a separate instance of the DO, which maintains the list of active connections and message history.
Cloudflare supports the WebSocket Hibernation API: the DO comes "hibernated" when there are no messages to process, dramatically reducing costs (you only pay for processing time, not for open connections).
// src/chat-room-do.ts
// Durable Object per una stanza di chat con WebSocket Hibernation
export class ChatRoomDO implements DurableObject {
private state: DurableObjectState;
private env: Env;
constructor(state: DurableObjectState, env: Env) {
this.state = state;
this.env = env;
}
async fetch(request: Request): Promise<Response> {
const url = new URL(request.url);
if (url.pathname === '/ws') {
// Verifica che sia una richiesta di upgrade WebSocket
const upgradeHeader = request.headers.get('Upgrade');
if (!upgradeHeader || upgradeHeader !== 'websocket') {
return new Response('Expected WebSocket upgrade', { status: 426 });
}
// Crea la coppia WebSocket server/client
const { 0: clientWs, 1: serverWs } = new WebSocketPair();
// Accetta la connessione tramite la Hibernation API
// Il DO sara ibernato tra i messaggi (no costo di CPU idle)
this.state.acceptWebSocket(serverWs);
// Opzionale: associa metadata alla connessione
// Utile per identificare l'utente nei messaggi successivi
const userId = url.searchParams.get('userId') ?? `anon-${Date.now()}`;
serverWs.serializeAttachment({ userId });
// Invia la storia recente al nuovo utente
const history = (await this.state.storage.get<Message[]>('history')) ?? [];
if (history.length > 0) {
serverWs.send(JSON.stringify({ type: 'history', messages: history }));
}
return new Response(null, {
status: 101,
webSocket: clientWs,
});
}
if (url.pathname === '/messages' && request.method === 'GET') {
const history = (await this.state.storage.get<Message[]>('history')) ?? [];
return Response.json({ messages: history });
}
return new Response('Not Found', { status: 404 });
}
// Chiamato dalla Hibernation API quando arriva un messaggio WebSocket
async webSocketMessage(ws: WebSocket, message: string | ArrayBuffer): Promise<void> {
const { userId } = ws.deserializeAttachment() as { userId: string };
let parsed: ClientMessage;
try {
parsed = JSON.parse(message as string);
} catch {
ws.send(JSON.stringify({ type: 'error', error: 'Invalid JSON' }));
return;
}
if (parsed.type === 'chat') {
const msg: Message = {
id: crypto.randomUUID(),
userId,
text: parsed.text,
timestamp: Date.now(),
};
// Salva nella history (mantieni solo gli ultimi 100 messaggi)
const history = (await this.state.storage.get<Message[]>('history')) ?? [];
const newHistory = [...history, msg].slice(-100);
await this.state.storage.put('history', newHistory);
// Broadcast a tutte le connessioni WebSocket attive nel DO
const allWebSockets = this.state.getWebSockets();
const payload = JSON.stringify({ type: 'message', message: msg });
for (const socket of allWebSockets) {
try {
socket.send(payload);
} catch {
// Connessione chiusa, ignorala
}
}
}
}
// Chiamato quando una connessione WebSocket viene chiusa
async webSocketClose(ws: WebSocket, code: number, reason: string): Promise<void> {
const { userId } = ws.deserializeAttachment() as { userId: string };
ws.close(code, reason);
// Notifica gli altri utenti dell'uscita
const notification = JSON.stringify({
type: 'user_left',
userId,
timestamp: Date.now(),
});
for (const socket of this.state.getWebSockets()) {
try {
socket.send(notification);
} catch { /* ignore */ }
}
}
// Chiamato in caso di errore sulla connessione WebSocket
async webSocketError(ws: WebSocket, error: unknown): Promise<void> {
console.error('WebSocket error:', error);
ws.close(1011, 'Internal error');
}
}
interface Message {
id: string;
userId: string;
text: string;
timestamp: number;
}
interface ClientMessage {
type: 'chat' | 'ping';
text?: string;
}
interface Env {
CHAT_ROOM: DurableObjectNamespace;
}
The Worker entry point routes requests to the correct room based on the path:
// src/worker.ts
export { ChatRoomDO } from './chat-room-do';
export default {
async fetch(request: Request, env: Env): Promise<Response> {
const url = new URL(request.url);
// /room/:roomId/ws -> WebSocket per la stanza
// /room/:roomId/messages -> GET cronologia
const match = url.pathname.match(/^\/room\/([^/]+)(\/.*)?$/);
if (!match) {
return new Response('Not Found', { status: 404 });
}
const roomId = match[1];
const subpath = match[2] ?? '/ws';
// Ogni stanza e una istanza distinta del DO
const id = env.CHAT_ROOM.idFromName(roomId);
const stub = env.CHAT_ROOM.get(id);
// Rewrite del path per il DO
const doUrl = new URL(request.url);
doUrl.pathname = subpath;
return stub.fetch(new Request(doUrl.toString(), request));
},
};
interface Env {
CHAT_ROOM: DurableObjectNamespace;
}
Transactional Storage: Atomic Operations
Durable Objects storage supports atomic transactions via
state.storage.transaction(). This is crucial when
an operation must read and write multiple keys consistently:
// Esempio: trasferimento di crediti tra utenti (atomico)
export class AccountDO implements DurableObject {
state: DurableObjectState;
constructor(state: DurableObjectState, env: Env) {
this.state = state;
}
async fetch(request: Request): Promise<Response> {
if (request.method !== 'POST') {
return new Response('Method Not Allowed', { status: 405 });
}
const { from, to, amount } = await request.json<TransferRequest>();
try {
// La transazione e atomica: o tutto va a buon fine, o niente
await this.state.storage.transaction(async (txn) => {
const fromBalance = (await txn.get<number>(`balance:${from}`)) ?? 0;
const toBalance = (await txn.get<number>(`balance:${to}`)) ?? 0;
if (fromBalance < amount) {
// Il throw annulla la transazione
throw new Error(`Insufficient balance: ${fromBalance} < ${amount}`);
}
await txn.put(`balance:${from}`, fromBalance - amount);
await txn.put(`balance:${to}`, toBalance + amount);
// Log dell'operazione
const txLog = (await txn.get<TxRecord[]>('tx_log')) ?? [];
txLog.push({ from, to, amount, timestamp: Date.now() });
await txn.put('tx_log', txLog.slice(-1000));
});
return Response.json({ success: true, from, to, amount });
} catch (err) {
return Response.json(
{ success: false, error: (err as Error).message },
{ status: 400 }
);
}
}
}
interface TransferRequest {
from: string;
to: string;
amount: number;
}
interface TxRecord {
from: string;
to: string;
amount: number;
timestamp: number;
}
interface Env {
ACCOUNT: DurableObjectNamespace;
}
Alarms: Scheduled Operations in the Durable Object
Durable Objects support Alarms: a callback
alarm() which is invoked at a scheduled time, even if I'm not there
active requests to the DO. This is useful for TTL, deadlines and periodic jobs
linked to the status of the DO:
// src/session-do.ts
// DO con alarm per scadenza automatica della sessione
export class SessionDO implements DurableObject {
state: DurableObjectState;
static SESSION_TTL_MS = 30 * 60 * 1000; // 30 minuti
constructor(state: DurableObjectState, env: Env) {
this.state = state;
}
async fetch(request: Request): Promise<Response> {
const url = new URL(request.url);
if (url.pathname === '/create' && request.method === 'POST') {
const data = await request.json<SessionData>();
// Salva i dati della sessione
await this.state.storage.put('session', {
...data,
createdAt: Date.now(),
});
// Schedula l'alarm per la scadenza della sessione
// Se l'alarm e gia schedulato, viene sostituito
await this.state.storage.setAlarm(Date.now() + SessionDO.SESSION_TTL_MS);
return Response.json({ ok: true, expiresIn: SessionDO.SESSION_TTL_MS });
}
if (url.pathname === '/get') {
const session = await this.state.storage.get<SessionData>('session');
if (!session) {
return Response.json({ error: 'Session not found' }, { status: 404 });
}
// Refresh del TTL ad ogni accesso (sliding expiry)
await this.state.storage.setAlarm(Date.now() + SessionDO.SESSION_TTL_MS);
return Response.json({ session });
}
if (url.pathname === '/invalidate' && request.method === 'DELETE') {
await this.state.storage.deleteAll();
await this.state.storage.deleteAlarm();
return Response.json({ ok: true });
}
return new Response('Not Found', { status: 404 });
}
// Chiamato automaticamente quando scatta l'alarm
async alarm(): Promise<void> {
// Pulisce i dati della sessione scaduta
const session = await this.state.storage.get<SessionData>('session');
if (session) {
console.log(`Session expired for user: ${session.userId}`);
await this.state.storage.deleteAll();
}
}
}
interface SessionData {
userId: string;
role: string;
metadata?: Record<string, unknown>;
}
interface Env {
SESSION: DurableObjectNamespace;
}
Global Rate Limiter with Durable Objects
A distributed rate limiter is one of the most requested patterns for public APIs. With Workers KV the implementation would be subject to race conditions. With a C, every rate limiting "bucket" is an instance with strong consistency:
// src/rate-limiter-do.ts
// Token bucket rate limiter con Durable Objects
export class RateLimiterDO implements DurableObject {
state: DurableObjectState;
// Configurazione: 100 req/minuto per IP
static MAX_TOKENS = 100;
static REFILL_RATE_MS = 60_000; // 1 minuto per refill completo
constructor(state: DurableObjectState, env: Env) {
this.state = state;
}
async fetch(request: Request): Promise<Response> {
const now = Date.now();
// Legge lo stato attuale del bucket
const bucket = (await this.state.storage.get<TokenBucket>('bucket')) ?? {
tokens: RateLimiterDO.MAX_TOKENS,
lastRefill: now,
};
// Calcola quanti token sono stati aggiunti dall'ultimo accesso
const elapsed = now - bucket.lastRefill;
const tokensToAdd = (elapsed / RateLimiterDO.REFILL_RATE_MS) * RateLimiterDO.MAX_TOKENS;
const currentTokens = Math.min(
RateLimiterDO.MAX_TOKENS,
bucket.tokens + tokensToAdd
);
if (currentTokens < 1) {
// Rate limit superato
const retryAfterMs = Math.ceil(
(1 - currentTokens) / (RateLimiterDO.MAX_TOKENS / RateLimiterDO.REFILL_RATE_MS)
);
await this.state.storage.put('bucket', {
tokens: currentTokens,
lastRefill: now,
});
return Response.json(
{
allowed: false,
retryAfter: Math.ceil(retryAfterMs / 1000),
remaining: 0,
},
{
status: 429,
headers: {
'Retry-After': String(Math.ceil(retryAfterMs / 1000)),
'X-RateLimit-Limit': String(RateLimiterDO.MAX_TOKENS),
'X-RateLimit-Remaining': '0',
},
}
);
}
// Consuma un token e aggiorna il bucket
await this.state.storage.put('bucket', {
tokens: currentTokens - 1,
lastRefill: now,
});
return Response.json({
allowed: true,
remaining: Math.floor(currentTokens - 1),
});
}
}
interface TokenBucket {
tokens: number;
lastRefill: number;
}
interface Env {
RATE_LIMITER: DurableObjectNamespace;
}
The Worker integrates the rate limiter into the flow of each request:
// src/worker.ts con rate limiting
export { RateLimiterDO } from './rate-limiter-do';
export default {
async fetch(request: Request, env: Env): Promise<Response> {
// Identifica il client (IP o API key)
const clientIp = request.headers.get('CF-Connecting-IP') ?? 'unknown';
const apiKey = request.headers.get('X-API-Key');
const bucketId = apiKey ?? `ip:${clientIp}`;
// Controlla il rate limit per questo client
const rateLimiterId = env.RATE_LIMITER.idFromName(bucketId);
const rateLimiter = env.RATE_LIMITER.get(rateLimiterId);
const limitCheck = await rateLimiter.fetch(new Request('https://dummy/check'));
if (limitCheck.status === 429) {
return limitCheck; // Propaga la risposta 429 con gli headers
}
// Prosegue con la logica dell'API
return handleApiRequest(request, env);
},
};
async function handleApiRequest(request: Request, env: Env): Promise<Response> {
return Response.json({ data: 'your api response here' });
}
interface Env {
RATE_LIMITER: DurableObjectNamespace;
}
Performance and Cost Considerations
Durable Objects have a very different cost and performance profile to simple Workers. Some key points to keep in mind:
Latency: Not Always Local
Each DO instance resides in a single datacenter. If a user in Europe
accesses a DO instantiated in North America, the latency of each operation
includes transatlantic round-trip (~100-150ms). Design DO IDs
To limit geographic sharing: Use region-based IDs whenever possible
(idFromName(`${region}:${resourceId}`)), or accept the latency
high only for operations that require strong cross-regional consistency.
| Voice | Free tiers | Paid (Paid Workers) |
|---|---|---|
| Requests to the DO | 1M/month included | $0.15 per million above |
| DO Lifetime (CPU) | 400,000 GB-s/month | $12.50 per million GB-s |
| Storage | 1GB included | $0.20/GB-month beyond |
| WebSocket Hibernation | Available | Available (no idle cost) |
| Alarms | Available | Available |
Best Practices
-
ID Granularity: use specific IDs (e.g.
chat:room-42) rather than global IDs to avoid hotspots on individual instances. -
WebSocket Hibernation always: USA
state.acceptWebSocket()instead of manual event listeners to reduce idle connection costs. -
Batch storage: USA
storage.put(map)to write multiple keys in one operation instead of multipleput()singles. - Limit storage size: each instance has a limit of 128MB of storage. For large data use R2 and only save references in the DO.
- Serialization budget: requests are queued and processed sequentially; slow operations block subsequent ones. Keep handlers fast (<1s ideal).
Conclusions and Next Steps
Durable Objects bridge the gap between the stateless model of the Workers and the modern applications that require coordination and shared state. Theirs combined with the WebSocket Hibernation API and Alarms makes them a primitive complete for chat, gaming, document collaboration and global coordination systems.
The tradeoff is latency: a DO is physically in only one datacenter, thus cross-region write operations add latency. For readings scalable consider combining DO (for writes) with KV (for cached reads).
Next Articles in the Series
- Article 5: Workers AI — Inference of LLM and Vision Models on the Edge: How to run Llama, Whisper and vision models directly in Workers without dedicated GPU, with Workers AI growing 4000% YoY.
- Article 6: Vercel Edge Runtime — Advanced Middleware, Geolocation and A/B Testing: Vercel's approach to the edge with Next.js.
- Article 7: Geographic Routing at the Edge — Personalization GDPR Content and Compliance: geo-fencing, localized pricing and GDPR.







