Run background processes
This guide shows you how to start, monitor, and manage long-running background processes in the sandbox.
Use startProcess()
instead of exec()
when:
- Running web servers - HTTP servers, APIs, WebSocket servers
- Long-running services - Database servers, caches, message queues
- Development servers - Hot-reloading dev servers, watch modes
- Continuous monitoring - Log watchers, health checkers
- Parallel execution - Multiple services running simultaneously
Use exec()
for:
- One-time commands - Installations, builds, data processing
- Quick scripts - Simple operations that complete and exit
import { getSandbox } from "@cloudflare/sandbox";
const sandbox = getSandbox(env.Sandbox, "my-sandbox");
// Start a web serverconst server = await sandbox.startProcess("python -m http.server 8000");
console.log("Server started");console.log("Process ID:", server.id);console.log("PID:", server.pid);console.log("Status:", server.status); // 'running'
// Process runs in background - your code continues
import { getSandbox } from '@cloudflare/sandbox';
const sandbox = getSandbox(env.Sandbox, 'my-sandbox');
// Start a web serverconst server = await sandbox.startProcess('python -m http.server 8000');
console.log('Server started');console.log('Process ID:', server.id);console.log('PID:', server.pid);console.log('Status:', server.status); // 'running'
// Process runs in background - your code continues
Set working directory and environment variables:
const process = await sandbox.startProcess("node server.js", { cwd: "/workspace/api", env: { NODE_ENV: "production", PORT: "8080", API_KEY: env.API_KEY, DATABASE_URL: env.DATABASE_URL, },});
console.log("API server started");
const process = await sandbox.startProcess('node server.js', { cwd: '/workspace/api', env: { NODE_ENV: 'production', PORT: '8080', API_KEY: env.API_KEY, DATABASE_URL: env.DATABASE_URL }});
console.log('API server started');
List and check running processes:
const processes = await sandbox.listProcesses();
console.log(`Running ${processes.length} processes:`);
for (const proc of processes) { console.log(`${proc.id}: ${proc.command} (${proc.status})`);}
// Check if specific process is runningconst isRunning = processes.some( (p) => p.id === processId && p.status === "running",);
const processes = await sandbox.listProcesses();
console.log(`Running ${processes.length} processes:`);
for (const proc of processes) { console.log(`${proc.id}: ${proc.command} (${proc.status})`);}
// Check if specific process is runningconst isRunning = processes.some(p => p.id === processId && p.status === 'running');
Stream logs in real-time to detect when a service is ready:
import { parseSSEStream } from "@cloudflare/sandbox";
const server = await sandbox.startProcess("node server.js");
// Stream logsconst logStream = await sandbox.streamProcessLogs(server.id);
for await (const log of parseSSEStream(logStream)) { console.log(log.data);
if (log.data.includes("Server listening")) { console.log("Server is ready!"); break; }}
import { parseSSEStream, type LogEvent } from '@cloudflare/sandbox';
const server = await sandbox.startProcess('node server.js');
// Stream logsconst logStream = await sandbox.streamProcessLogs(server.id);
for await (const log of parseSSEStream<LogEvent>(logStream)) { console.log(log.data);
if (log.data.includes('Server listening')) { console.log('Server is ready!'); break; }}
Or get accumulated logs:
const logs = await sandbox.getProcessLogs(server.id);console.log("Logs:", logs);
const logs = await sandbox.getProcessLogs(server.id);console.log('Logs:', logs);
// Stop specific processawait sandbox.killProcess(server.id);
// Force kill if neededawait sandbox.killProcess(server.id, "SIGKILL");
// Stop all processesawait sandbox.killAllProcesses();
// Stop specific processawait sandbox.killProcess(server.id);
// Force kill if neededawait sandbox.killProcess(server.id, 'SIGKILL');
// Stop all processesawait sandbox.killAllProcesses();
Start services in sequence, waiting for dependencies:
import { parseSSEStream } from "@cloudflare/sandbox";
// Start database firstconst db = await sandbox.startProcess("redis-server");
// Wait for database to be readyconst dbLogs = await sandbox.streamProcessLogs(db.id);for await (const log of parseSSEStream(dbLogs)) { if (log.data.includes("Ready to accept connections")) { break; }}
// Now start API server (depends on database)const api = await sandbox.startProcess("node api-server.js", { env: { DATABASE_URL: "redis://localhost:6379" },});
console.log("All services running");
import { parseSSEStream, type LogEvent } from '@cloudflare/sandbox';
// Start database firstconst db = await sandbox.startProcess('redis-server');
// Wait for database to be readyconst dbLogs = await sandbox.streamProcessLogs(db.id);for await (const log of parseSSEStream<LogEvent>(dbLogs)) { if (log.data.includes('Ready to accept connections')) { break; }}
// Now start API server (depends on database)const api = await sandbox.startProcess('node api-server.js', { env: { DATABASE_URL: 'redis://localhost:6379' }});
console.log('All services running');
- Wait for readiness - Stream logs to detect when services are ready
- Clean up - Always stop processes when done
- Handle failures - Monitor logs for errors and restart if needed
- Use try/finally - Ensure cleanup happens even on errors
Check logs to see why:
const process = await sandbox.startProcess("node server.js");await new Promise((resolve) => setTimeout(resolve, 1000));
const processes = await sandbox.listProcesses();if (!processes.find((p) => p.id === process.id)) { const logs = await sandbox.getProcessLogs(process.id); console.error("Process exited:", logs);}
const process = await sandbox.startProcess('node server.js');await new Promise(resolve => setTimeout(resolve, 1000));
const processes = await sandbox.listProcesses();if (!processes.find(p => p.id === process.id)) { const logs = await sandbox.getProcessLogs(process.id); console.error('Process exited:', logs);}
Kill existing processes before starting:
await sandbox.killAllProcesses();const server = await sandbox.startProcess("node server.js");
await sandbox.killAllProcesses();const server = await sandbox.startProcess('node server.js');
- Commands API reference - Complete process management API
- Execute commands guide - One-time command execution
- Expose services guide - Make processes accessible
- Streaming output guide - Monitor process output
Was this helpful?
- Resources
- API
- New to Cloudflare?
- Directory
- Sponsorships
- Open Source
- Support
- Help Center
- System Status
- Compliance
- GDPR
- Company
- cloudflare.com
- Our team
- Careers
- © 2025 Cloudflare, Inc.
- Privacy Policy
- Terms of Use
- Report Security Issues
- Trademark
-