Expose services
This guide shows you how to expose services running in your sandbox to the internet via preview URLs.
Expose ports when you need to:
- Test web applications - Preview frontend or backend apps
- Share demos - Give others access to running applications
- Develop APIs - Test endpoints from external tools
- Debug services - Access internal services for troubleshooting
- Build dev environments - Create shareable development workspaces
The typical workflow is: start service → wait for ready → expose port → handle requests with proxyToSandbox.
import { getSandbox, proxyToSandbox } from "@cloudflare/sandbox";
export { Sandbox } from "@cloudflare/sandbox";
export default { async fetch(request, env) { // Proxy requests to exposed ports first const proxyResponse = await proxyToSandbox(request, env); if (proxyResponse) return proxyResponse;
// Extract hostname from request const { hostname } = new URL(request.url); const sandbox = getSandbox(env.Sandbox, "my-sandbox");
// 1. Start a web server await sandbox.startProcess("python -m http.server 8000");
// 2. Wait for service to start await new Promise((resolve) => setTimeout(resolve, 2000));
// 3. Expose the port const exposed = await sandbox.exposePort(8000, { hostname });
// 4. Preview URL is now available (public by default) console.log("Server accessible at:", exposed.exposedAt); // Production: https://8000-abc123.yourdomain.com // Local dev: http://localhost:8787/...
return Response.json({ url: exposed.exposedAt }); },};import { getSandbox, proxyToSandbox } from '@cloudflare/sandbox';
export { Sandbox } from '@cloudflare/sandbox';
export default { async fetch(request: Request, env: Env): Promise<Response> { // Proxy requests to exposed ports first const proxyResponse = await proxyToSandbox(request, env); if (proxyResponse) return proxyResponse;
// Extract hostname from request const { hostname } = new URL(request.url); const sandbox = getSandbox(env.Sandbox, 'my-sandbox');
// 1. Start a web server await sandbox.startProcess('python -m http.server 8000');
// 2. Wait for service to start await new Promise(resolve => setTimeout(resolve, 2000));
// 3. Expose the port const exposed = await sandbox.exposePort(8000, { hostname });
// 4. Preview URL is now available (public by default) console.log('Server accessible at:', exposed.exposedAt); // Production: https://8000-abc123.yourdomain.com // Local dev: http://localhost:8787/...
return Response.json({ url: exposed.exposedAt }); }};For production deployments or when sharing URLs with users, use custom tokens to maintain consistent preview URLs across container restarts:
// Extract hostname from requestconst { hostname } = new URL(request.url);
// Without custom token - URL changes on restartconst exposed = await sandbox.exposePort(8080, { hostname });// https://8080-sandbox-id-random16chars12.yourdomain.com
// With custom token - URL stays the same across restartsconst stable = await sandbox.exposePort(8080, { hostname, token: "api-v1",});// https://8080-sandbox-id-api-v1.yourdomain.com// Same URL after container restart ✓
return Response.json({ "Temporary URL (changes on restart)": exposed.url, "Stable URL (consistent)": stable.url,});// Extract hostname from requestconst { hostname } = new URL(request.url);
// Without custom token - URL changes on restartconst exposed = await sandbox.exposePort(8080, { hostname });// https://8080-sandbox-id-random16chars12.yourdomain.com
// With custom token - URL stays the same across restartsconst stable = await sandbox.exposePort(8080, { hostname, token: 'api-v1'});// https://8080-sandbox-id-api-v1.yourdomain.com// Same URL after container restart ✓
return Response.json({ 'Temporary URL (changes on restart)': exposed.url, 'Stable URL (consistent)': stable.url});Token requirements:
- 1-16 characters long
- Lowercase letters (a-z), numbers (0-9), hyphens (-), and underscores (_) only
- Must be unique within each sandbox
Use cases:
- Production APIs with stable endpoints
- Sharing demo URLs with external users
- Integration testing with predictable URLs
- Documentation with consistent examples
When exposing multiple ports, use names to stay organized:
// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start and expose API server with stable tokenawait sandbox.startProcess("node api.js", { env: { PORT: "8080" } });await new Promise((resolve) => setTimeout(resolve, 2000));const api = await sandbox.exposePort(8080, { hostname, name: "api", token: "api-prod",});
// Start and expose frontend with stable tokenawait sandbox.startProcess("npm run dev", { env: { PORT: "5173" } });await new Promise((resolve) => setTimeout(resolve, 2000));const frontend = await sandbox.exposePort(5173, { hostname, name: "frontend", token: "web-app",});
console.log("Services:");console.log("- API:", api.exposedAt);console.log("- Frontend:", frontend.exposedAt);// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start and expose API server with stable tokenawait sandbox.startProcess('node api.js', { env: { PORT: '8080' } });await new Promise(resolve => setTimeout(resolve, 2000));const api = await sandbox.exposePort(8080, { hostname, name: 'api', token: 'api-prod'});
// Start and expose frontend with stable tokenawait sandbox.startProcess('npm run dev', { env: { PORT: '5173' } });await new Promise(resolve => setTimeout(resolve, 2000));const frontend = await sandbox.exposePort(5173, { hostname, name: 'frontend', token: 'web-app'});
console.log('Services:');console.log('- API:', api.exposedAt);console.log('- Frontend:', frontend.exposedAt);Always verify a service is ready before exposing. Use a simple delay for most cases:
// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start serviceawait sandbox.startProcess("npm run dev", { env: { PORT: "8080" } });
// Wait 2-3 secondsawait new Promise((resolve) => setTimeout(resolve, 2000));
// Now exposeawait sandbox.exposePort(8080, { hostname });// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start serviceawait sandbox.startProcess('npm run dev', { env: { PORT: '8080' } });
// Wait 2-3 secondsawait new Promise(resolve => setTimeout(resolve, 2000));
// Now exposeawait sandbox.exposePort(8080, { hostname });For critical services, poll the health endpoint:
// Extract hostname from requestconst { hostname } = new URL(request.url);
await sandbox.startProcess("node api-server.js", { env: { PORT: "8080" } });
// Wait for health checkfor (let i = 0; i < 10; i++) { await new Promise((resolve) => setTimeout(resolve, 1000));
const check = await sandbox.exec( 'curl -f http://localhost:8080/health || echo "not ready"', ); if (check.stdout.includes("ok")) { break; }}
await sandbox.exposePort(8080, { hostname });// Extract hostname from requestconst { hostname } = new URL(request.url);
await sandbox.startProcess('node api-server.js', { env: { PORT: '8080' } });
// Wait for health checkfor (let i = 0; i < 10; i++) { await new Promise(resolve => setTimeout(resolve, 1000));
const check = await sandbox.exec('curl -f http://localhost:8080/health || echo "not ready"'); if (check.stdout.includes('ok')) { break; }}
await sandbox.exposePort(8080, { hostname });Expose multiple ports for full-stack applications:
// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start backendawait sandbox.startProcess("node api/server.js", { env: { PORT: "8080" },});await new Promise((resolve) => setTimeout(resolve, 2000));
// Start frontendawait sandbox.startProcess("npm run dev", { cwd: "/workspace/frontend", env: { PORT: "5173", API_URL: "http://localhost:8080" },});await new Promise((resolve) => setTimeout(resolve, 3000));
// Expose bothconst api = await sandbox.exposePort(8080, { hostname, name: "api" });const frontend = await sandbox.exposePort(5173, { hostname, name: "frontend" });
return Response.json({ api: api.exposedAt, frontend: frontend.exposedAt,});// Extract hostname from requestconst { hostname } = new URL(request.url);
// Start backendawait sandbox.startProcess('node api/server.js', { env: { PORT: '8080' }});await new Promise(resolve => setTimeout(resolve, 2000));
// Start frontendawait sandbox.startProcess('npm run dev', { cwd: '/workspace/frontend', env: { PORT: '5173', API_URL: 'http://localhost:8080' }});await new Promise(resolve => setTimeout(resolve, 3000));
// Expose bothconst api = await sandbox.exposePort(8080, { hostname, name: 'api' });const frontend = await sandbox.exposePort(5173, { hostname, name: 'frontend' });
return Response.json({ api: api.exposedAt, frontend: frontend.exposedAt});const { ports, count } = await sandbox.getExposedPorts();
console.log(`${count} ports currently exposed:`);
for (const port of ports) { console.log(` Port ${port.port}: ${port.exposedAt}`); if (port.name) { console.log(` Name: ${port.name}`); }}const { ports, count } = await sandbox.getExposedPorts();
console.log(`${count} ports currently exposed:`);
for (const port of ports) { console.log(` Port ${port.port}: ${port.exposedAt}`); if (port.name) { console.log(` Name: ${port.name}`); }}// Unexpose a single portawait sandbox.unexposePort(8000);
// Unexpose multiple portsfor (const port of [3000, 5173, 8080]) { await sandbox.unexposePort(port);}// Unexpose a single portawait sandbox.unexposePort(8000);
// Unexpose multiple portsfor (const port of [3000, 5173, 8080]) { await sandbox.unexposePort(port);}- Wait for readiness - Don't expose ports immediately after starting processes
- Use named ports - Easier to track when exposing multiple ports
- Clean up - Unexpose ports when done to prevent abandoned URLs
- Add authentication - Preview URLs are public; protect sensitive services
When developing locally with wrangler dev, you must expose ports in your Dockerfile:
FROM docker.io/cloudflare/sandbox:0.3.3
# Expose ports you plan to useEXPOSE 8000EXPOSE 8080EXPOSE 5173Update wrangler.jsonc to use your Dockerfile:
{ "containers": [ { "class_name": "Sandbox", "image": "./Dockerfile" } ]}In production, all ports are available and controlled programmatically via exposePort() / unexposePort().
Port 3000 is used by the internal Bun server and cannot be exposed:
// Extract hostname from requestconst { hostname } = new URL(request.url);
// ❌ This will failawait sandbox.exposePort(3000, { hostname }); // Error: Port 3000 is reserved
// ✅ Use a different portawait sandbox.startProcess("node server.js", { env: { PORT: "8080" } });await sandbox.exposePort(8080, { hostname });// Extract hostname from requestconst { hostname } = new URL(request.url);
// ❌ This will failawait sandbox.exposePort(3000, { hostname }); // Error: Port 3000 is reserved
// ✅ Use a different portawait sandbox.startProcess('node server.js', { env: { PORT: '8080' } });await sandbox.exposePort(8080, { hostname });Wait for the service to start before exposing:
// Extract hostname from requestconst { hostname } = new URL(request.url);
await sandbox.startProcess("npm run dev");await new Promise((resolve) => setTimeout(resolve, 3000));await sandbox.exposePort(8080, { hostname });// Extract hostname from requestconst { hostname } = new URL(request.url);
await sandbox.startProcess('npm run dev');await new Promise(resolve => setTimeout(resolve, 3000));await sandbox.exposePort(8080, { hostname });Check before exposing to avoid errors:
// Extract hostname from requestconst { hostname } = new URL(request.url);
const { ports } = await sandbox.getExposedPorts();if (!ports.some((p) => p.port === 8080)) { await sandbox.exposePort(8080, { hostname });}// Extract hostname from requestconst { hostname } = new URL(request.url);
const { ports } = await sandbox.getExposedPorts();if (!ports.some(p => p.port === 8080)) { await sandbox.exposePort(8080, { hostname });}Error: Preview URLs require lowercase sandbox IDs
Cause: You created a sandbox with uppercase characters (e.g., "MyProject-123") but preview URLs always use lowercase in routing, causing a mismatch.
Solution:
// Create sandbox with normalizationconst sandbox = getSandbox(env.Sandbox, "MyProject-123", { normalizeId: true });await sandbox.exposePort(8080, { hostname });// Create sandbox with normalizationconst sandbox = getSandbox(env.Sandbox, 'MyProject-123', { normalizeId: true });await sandbox.exposePort(8080, { hostname });This creates the Durable Object with ID "myproject-123", matching the preview URL routing.
See Sandbox options - normalizeId for details.
Production: https://{port}-{sandbox-id}-{token}.yourdomain.com
- Auto-generated token:
https://8080-abc123-random16chars12.yourdomain.com - Custom token:
https://8080-abc123-my-api-v1.yourdomain.com
Local development: http://localhost:8787/...
Note: Port 3000 is reserved for the internal Bun server and cannot be exposed.
- Ports API reference - Complete port exposure API
- Background processes guide - Managing services
- Execute commands guide - Starting services