svelte-adapter-uws
v0.4.4
Published
SvelteKit adapter for uWebSockets.js - high-performance C++ HTTP server with built-in WebSocket support
Maintainers
Readme
svelte-adapter-uws
A SvelteKit adapter powered by uWebSockets.js - the fastest HTTP/WebSocket server available for Node.js, written in C++ and exposed through V8.
I've been loving Svelte and SvelteKit for a long time. I always wanted to expand on the standard adapters, sifting through the internet from time to time, never finding what I was searching for - a proper high-performance adapter with first-class WebSocket support, native TLS, pub/sub built in, and a client library that just works. So I'm doing it myself.
What you get
- HTTP & HTTPS - native TLS via uWebSockets.js
SSLApp, no reverse proxy needed - WebSocket & WSS - built-in pub/sub with a reactive Svelte client store
- In-memory static file cache - assets loaded once at startup, served from RAM with precompressed brotli/gzip variants
- Backpressure handling - streaming responses that won't blow up memory
- Graceful shutdown - waits for in-flight requests before exiting
- Health check endpoint -
/healthzout of the box - Zero-config WebSocket - just set
websocket: trueand go
Table of contents
Getting started
- Installation
- Quick start: HTTP
- Quick start: HTTPS
- Quick start: WebSocket
- Quick start: WSS (secure WebSocket)
- Development, Preview & Production
Configuration
WebSocket deep dive
- WebSocket handler (
hooks.ws) - Authentication
- Platform API (
event.platform) - Client store API
- Seeding initial state
Plugins
- Middleware
- Replay (SSR gap)
- Presence
- Typed channels
- Throttle/debounce
- Rate limiting
- Cursor (ephemeral state)
- Queue (ordered delivery)
- Broadcast groups
Deployment & scaling
Examples
Help
Getting started
Installation
Starting from scratch
If you don't have a SvelteKit project yet:
npx sv create my-app
cd my-app
npm installAdding the adapter
npm install svelte-adapter-uws
npm install uNetworking/uWebSockets.js#v20.60.0Note: uWebSockets.js is a native C++ addon installed directly from GitHub, not from npm. It may not compile on all platforms. Check the uWebSockets.js README if you have issues.
Docker: Use
node:22-trixie-slimor another glibc >= 2.38 image. Bookworm-based images and Alpine won't work. See Deploying with Docker.
If you plan to use WebSockets during development, also install ws:
npm install -D wsQuick start: HTTP
The simplest setup - just swap the adapter and you're done.
svelte.config.js
import adapter from 'svelte-adapter-uws';
export default {
kit: {
adapter: adapter()
}
};Build and run:
npm run build
node buildYour app is now running on http://localhost:3000.
To change the host or port:
HOST=0.0.0.0 PORT=8080 node buildQuick start: HTTPS
No reverse proxy needed. uWebSockets.js handles TLS natively with its SSLApp.
svelte.config.js - same as HTTP, no changes needed:
import adapter from 'svelte-adapter-uws';
export default {
kit: {
adapter: adapter()
}
};Build and run with TLS:
npm run build
SSL_CERT=/path/to/cert.pem SSL_KEY=/path/to/key.pem node buildYour app is now running on https://localhost:3000.
Both
SSL_CERTandSSL_KEYmust be set. Setting only one will throw an error.
Behind a reverse proxy (nginx, Caddy, etc.)
If your proxy terminates TLS and forwards to HTTP:
ORIGIN=https://example.com node buildOr if you want flexible header-based detection:
PROTOCOL_HEADER=x-forwarded-proto HOST_HEADER=x-forwarded-host node buildImportant:
PROTOCOL_HEADER,HOST_HEADER,PORT_HEADER, andADDRESS_HEADERare trusted verbatim. Only set these when running behind a reverse proxy that overwrites the corresponding headers on every request. If the server is directly internet-facing, clients can spoof these values. When in doubt, use a fixedORIGINinstead.
Quick start: WebSocket
Three things to do:
- Enable WebSocket in the adapter
- Add the Vite plugin (for dev mode)
- Use the client store in your Svelte components
Step 1: Enable WebSocket
svelte.config.js
import adapter from 'svelte-adapter-uws';
export default {
kit: {
adapter: adapter({
websocket: true
})
}
};That's it. This gives you a pub/sub WebSocket server at /ws with no authentication. Any client can connect, subscribe to topics, and receive messages.
Step 2: Add the Vite plugin (required)
The Vite plugin is required when using WebSockets. It does two things:
- Dev mode - spins up a WebSocket server so
event.platformworks duringnpm run dev - Production builds - runs your
hooks.wsfile through Vite's pipeline so$lib,$env, and$appimports resolve correctly
Without it, your hooks.ws file won't be able to import from $lib or use $env variables, and event.platform won't work in dev.
vite.config.js
import { sveltekit } from '@sveltejs/kit/vite';
import uws from 'svelte-adapter-uws/vite';
export default {
plugins: [sveltekit(), uws()]
};Step 3: Use the client store
src/routes/+page.svelte
<script>
import { on, status } from 'svelte-adapter-uws/client';
// Subscribe to the 'notifications' topic
// Auto-connects, auto-subscribes, auto-reconnects
const notifications = on('notifications');
</script>
{#if $status === 'open'}
<span>Connected</span>
{/if}
{#if $notifications}
<p>Event: {$notifications.event}</p>
<p>Data: {JSON.stringify($notifications.data)}</p>
{/if}Step 4: Publish from the server
src/routes/api/notify/+server.js
export async function POST({ request, platform }) {
const data = await request.json();
// This sends to ALL clients subscribed to 'notifications'
platform.publish('notifications', 'new-message', data);
return new Response('OK');
}Build and run:
npm run build
node buildQuick start: WSS (secure WebSocket)
WSS works automatically when you enable TLS. WebSocket connections upgrade over the same HTTPS port.
svelte.config.js
import adapter from 'svelte-adapter-uws';
export default {
kit: {
adapter: adapter({
websocket: true
})
}
};npm run build
SSL_CERT=/path/to/cert.pem SSL_KEY=/path/to/key.pem node buildThe client store automatically uses wss:// when the page is served over HTTPS - no configuration needed on the client side.
Development, Preview & Production
npm run dev - works (with the Vite plugin)
The Vite plugin is required for WebSocket support in both dev and production (see Step 2). It spins up a ws WebSocket server alongside Vite's dev server, so your client store and event.platform work identically to production.
Changes to your hooks.ws file are picked up automatically -- the plugin reloads the handler on save and closes existing connections so they reconnect with the new code. No dev server restart needed.
Note: The dev server does not enforce allowedOrigins. Origin checks only run in production. A warning is logged at startup as a reminder.
vite.config.js
import { sveltekit } from '@sveltejs/kit/vite';
import uws from 'svelte-adapter-uws/vite';
export default {
plugins: [sveltekit(), uws()]
};npm run preview - WebSockets don't work
SvelteKit's preview server is Vite's built-in HTTP server. It doesn't know about uWebSockets.js or WebSocket upgrades. Your HTTP routes and SSR will work, but WebSocket connections will fail.
Use node build instead of preview for testing WebSocket features.
node build - production, everything works
This is the real deal. uWebSockets.js handles everything:
npm run build
node buildOr with environment variables:
PORT=8080 HOST=0.0.0.0 node buildOr with TLS:
SSL_CERT=./cert.pem SSL_KEY=./key.pem PORT=443 node buildConfiguration
Adapter options
adapter({
// Output directory for the build
out: 'build', // default: 'build'
// Precompress static assets with brotli and gzip
precompress: true, // default: true
// Prefix for environment variables (e.g. 'MY_APP_' -> MY_APP_PORT)
envPrefix: '', // default: ''
// Health check endpoint (set to false to disable)
healthCheckPath: '/healthz', // default: '/healthz'
// WebSocket configuration
websocket: true // or false, or an options object (see below)
})WebSocket options
adapter({
websocket: {
// Path for WebSocket connections
path: '/ws', // default: '/ws'
// Path to your custom handler module (auto-discovers src/hooks.ws.js if omitted)
handler: './src/lib/server/websocket.js', // default: auto-discover
// Max message size in bytes (connections sending larger messages are closed)
maxPayloadLength: 16 * 1024, // default: 16 KB
// Seconds of inactivity before the connection is closed
idleTimeout: 120, // default: 120
// Max bytes of backpressure per connection before messages are dropped.
// uWS defaults to 64 KB; this adapter uses 1 MB to handle pub/sub spikes.
// Lower this if you expect many slow consumers.
maxBackpressure: 1024 * 1024, // default: 1 MB
// Enable per-message deflate compression
compression: false, // default: false
// Automatically send pings to keep the connection alive
sendPingsAutomatically: true, // default: true
// Seconds before an async upgrade handler is rejected with 504 (0 to disable)
upgradeTimeout: 10, // default: 10
// Sliding-window rate limit: max WebSocket upgrade requests per IP per window.
// Prevents connection flood attacks. Uses a sliding window so a client cannot
// double the effective rate by placing requests at a fixed-window boundary.
// Set to 0 to disable.
upgradeRateLimit: 10, // default: 10
upgradeRateLimitWindow: 10, // window size in seconds, default: 10
// Allowed origins for WebSocket connections
// 'same-origin' - only accept where Origin matches Host and scheme (default)
// '*' - accept from any origin
// ['https://example.com'] - whitelist specific origins
// Requests without an Origin header (non-browser clients) are rejected
// unless an upgrade handler is configured to authenticate them.
allowedOrigins: 'same-origin' // default: 'same-origin'
}
})Static file behavior
All static assets (from the client/ and prerendered/ output directories) are loaded once at startup and served directly from RAM. Each response automatically includes:
Content-Type: detected from the file extensionVary: Accept-Encoding: required for correct CDN/proxy caching when serving precompressed variantsAccept-Ranges: bytes: enables partial content requests (e.g. for download resume)X-Content-Type-Options: nosniff: prevents MIME-type sniffing in browsersETag: derived from the file's modification time and size; enables304 Not ModifiedresponsesCache-Control: public, max-age=31536000, immutable: for versioned assets under/_app/immutable/Cache-Control: no-cache: for all other assets (forces ETag revalidation)
Range requests (HTTP 206): The server handles Range: bytes=start-end requests for static files. Single byte ranges are supported (bytes=0-499, bytes=-500, bytes=500-). Multi-range requests (comma-separated) are served as full 200 responses. An unsatisfiable range returns 416 Range Not Satisfiable. When a Range header is present, the response is always served uncompressed so byte offsets are correct. The If-Range header is respected: if it doesn't match the file's ETag, the full file is returned.
Files with extensions that browsers cannot render inline (.zip, .tar, .tgz, .exe, .dmg, .pkg, .deb, .apk, .iso, .img, .bin, etc.) automatically receive Content-Disposition: attachment so browsers prompt a download dialog instead of attempting to display them.
If precompress: true is set in the adapter options, brotli (.br) and gzip (.gz) precompressed variants are loaded at startup and served when the client's Accept-Encoding header includes br or gzip. Precompressed variants are only used when they are smaller than the original file.
Environment variables
All variables are set at runtime (when you run node build), not at build time.
If you set envPrefix: 'MY_APP_' in the adapter config, all variables are prefixed (e.g. MY_APP_PORT instead of PORT).
| Variable | Default | Description |
|---|---|---|
| HOST | 0.0.0.0 | Bind address |
| PORT | 3000 | Listen port |
| ORIGIN | (derived) | Fixed origin (e.g. https://example.com) |
| SSL_CERT | - | Path to TLS certificate file |
| SSL_KEY | - | Path to TLS private key file |
| PROTOCOL_HEADER | - | Header for protocol detection (e.g. x-forwarded-proto) |
| HOST_HEADER | - | Header for host detection (e.g. x-forwarded-host) |
| PORT_HEADER | - | Header for port override (e.g. x-forwarded-port) |
| ADDRESS_HEADER | - | Header for client IP (e.g. x-forwarded-for) |
| XFF_DEPTH | 1 | Position from right in X-Forwarded-For |
| BODY_SIZE_LIMIT | 512K | Max request body size (supports K, M, G suffixes) |
| SHUTDOWN_TIMEOUT | 30 | Seconds to wait during graceful shutdown |
| CLUSTER_WORKERS | - | Number of worker threads (or auto for CPU count) |
| CLUSTER_MODE | (auto) | reuseport (Linux default) or acceptor (other platforms) |
| WS_DEBUG | - | Set to 1 to enable structured WebSocket debug logging (open, close, subscribe, publish) |
Graceful shutdown
On SIGTERM or SIGINT, the server:
- Stops accepting new connections
- Waits for in-flight SSR requests to complete (up to
SHUTDOWN_TIMEOUTseconds) - Emits a
sveltekit:shutdownevent onprocess(for cleanup hooks like closing database connections) - Exits
// Listen for shutdown in your server code (e.g. hooks.server.js)
process.on('sveltekit:shutdown', async (reason) => {
console.log(`Shutting down: ${reason}`);
await db.close();
});Examples
# Simple HTTP
node build
# Custom port
PORT=8080 node build
# Behind nginx
ORIGIN=https://example.com node build
# Behind a proxy with forwarded headers
PROTOCOL_HEADER=x-forwarded-proto HOST_HEADER=x-forwarded-host ADDRESS_HEADER=x-forwarded-for node build
# Native TLS
SSL_CERT=./cert.pem SSL_KEY=./key.pem node build
# Everything at once
SSL_CERT=./cert.pem SSL_KEY=./key.pem PORT=443 HOST=0.0.0.0 BODY_SIZE_LIMIT=10M SHUTDOWN_TIMEOUT=60 node buildTypeScript setup
Add the platform type to your src/app.d.ts:
import type { Platform as AdapterPlatform } from 'svelte-adapter-uws';
declare global {
namespace App {
interface Platform extends AdapterPlatform {}
}
}
export {};Now event.platform.publish(), event.platform.topic(), etc. are fully typed.
Svelte 4 support
This adapter supports both Svelte 4 and Svelte 5. All examples in this README use Svelte 5 syntax ($props(), runes). If you're on Svelte 4, here's how to translate:
Svelte 5 (used in examples)
<script>
import { crud } from 'svelte-adapter-uws/client';
let { data } = $props();
const todos = crud('todos', data.todos);
</script>Svelte 4 equivalent
<script>
import { crud } from 'svelte-adapter-uws/client';
export let data;
const todos = crud('todos', data.todos);
</script>The only difference is how you receive props. The client store API (on, crud, lookup, latest, count, once, status, connect) works identically in both versions - it uses svelte/store which hasn't changed.
WebSocket deep dive
WebSocket handler (hooks.ws)
No handler needed (simplest)
With websocket: true, a built-in handler accepts all connections and handles subscribe/unsubscribe messages from the client store. No file needed.
Note:
websocket: trueonly sets up the server side. To actually receive messages in the browser, you need to import the client store (on,crud, etc.) in your Svelte components. Without the client store, the WebSocket endpoint exists but nothing connects to it.
Auto-discovered handler
Create src/hooks.ws.js (or .ts, .mjs) and it will be automatically discovered - no config needed:
src/hooks.ws.js
// Called during the HTTP -> WebSocket upgrade handshake.
// Return an object to accept (becomes ws.getUserData()).
// Return false to reject with 401.
// Omit this export to accept all connections.
export async function upgrade({ headers, cookies, url, remoteAddress }) {
const sessionId = cookies.session_id;
if (!sessionId) return false;
const user = await validateSession(sessionId);
if (!user) return false;
// Whatever you return here is available as ws.getUserData()
return { userId: user.id, name: user.name };
}
// Called when a connection is established
export function open(ws, { platform }) {
const { userId } = ws.getUserData();
console.log(`User ${userId} connected`);
// Subscribe this connection to a user-specific topic
ws.subscribe(`user:${userId}`);
}
// Called when a message is received
// Note: subscribe/unsubscribe messages from the client store are
// handled automatically BEFORE this function is called
export function message(ws, { data, isBinary }) {
const msg = JSON.parse(Buffer.from(data).toString());
console.log('Got message:', msg);
}
// Called when a client tries to subscribe to a topic (optional)
// Return false to deny the subscription
export function subscribe(ws, topic, { platform }) {
const { role } = ws.getUserData();
// Only admins can subscribe to admin topics
if (topic.startsWith('admin') && role !== 'admin') return false;
}
// Called when a client unsubscribes from a topic (optional)
// Use this to clean up per-topic state (presence, groups, etc.)
export function unsubscribe(ws, topic, { platform }) {
console.log(`Unsubscribed from ${topic}`);
}
// Called when the connection closes
export function close(ws, { code, message, platform }) {
const { userId } = ws.getUserData();
console.log(`User ${userId} disconnected`);
}
// Called when backpressure has drained (optional, for flow control)
export function drain(ws, { platform }) {
// You can resume sending large messages here
}Explicit handler path
If your handler is somewhere other than src/hooks.ws.js:
adapter({
websocket: {
handler: './src/lib/server/websocket.js'
}
})What the handler gets
The upgrade function receives an UpgradeContext:
{
headers: { 'cookie': '...', 'host': 'localhost:3000', ... }, // all lowercase
cookies: { session_id: 'abc123', theme: 'dark' }, // parsed from Cookie header
url: '/ws', // request path
remoteAddress: '127.0.0.1' // client IP
}The subscribe function receives (ws, topic) and can return false to deny a client's subscription request. Omit it to allow all subscriptions.
The ws object in open, message, close, and drain is a uWebSockets.js WebSocket. Key methods:
ws.getUserData()- returns whateverupgradereturnedws.subscribe(topic)- subscribe to a topic forapp.publish()ws.unsubscribe(topic)- unsubscribe from a topicws.send(data)- send a message to this connectionws.close()- close the connection
Authentication
WebSocket authentication uses the exact same cookies as your SvelteKit app. When the browser opens a WebSocket connection, it sends all cookies for the domain - including session cookies set by SvelteKit's cookies.set(). No tokens, no query parameters, no extra client-side code.
Here's the full flow from login to authenticated WebSocket:
Step 1: Login sets a cookie (standard SvelteKit)
src/routes/login/+page.server.js
import { authenticate, createSession } from '$lib/server/auth.js';
export const actions = {
default: async ({ request, cookies }) => {
const form = await request.formData();
const email = form.get('email');
const password = form.get('password');
const user = await authenticate(email, password);
if (!user) return { error: 'Invalid credentials' };
const sessionId = await createSession(user.id);
// This cookie is automatically sent on WebSocket upgrade requests
cookies.set('session', sessionId, {
path: '/',
httpOnly: true,
sameSite: 'strict',
secure: true,
maxAge: 60 * 60 * 24 * 7 // 1 week
});
return { success: true };
}
};Step 2: WebSocket handler reads the same cookie
src/hooks.ws.js
import { getSession } from '$lib/server/auth.js';
export async function upgrade({ cookies }) {
// Same cookie that SvelteKit set during login
const sessionId = cookies.session;
if (!sessionId) return false; // -> 401, connection rejected
const user = await getSession(sessionId);
if (!user) return false; // -> 401, expired or invalid session
// Attach user data to the socket - available via ws.getUserData()
return { userId: user.id, name: user.name, role: user.role };
}
export function open(ws, { platform }) {
const { userId, role } = ws.getUserData();
console.log(`${userId} connected (${role})`);
// Subscribe to user-specific and role-based topics
ws.subscribe(`user:${userId}`);
if (role === 'admin') ws.subscribe('admin');
}
export function close(ws, { platform }) {
const { userId } = ws.getUserData();
console.log(`${userId} disconnected`);
}Step 3: Client - nothing special needed
src/routes/dashboard/+page.svelte
<script>
import { on, status } from 'svelte-adapter-uws/client';
// The browser sends cookies automatically on the upgrade request.
// If the session is invalid, the connection is rejected and
// auto-reconnect will retry (useful if the user logs in later).
const notifications = on('notifications');
const userMessages = on('user-messages');
</script>
{#if $status === 'open'}
<span>Authenticated & connected</span>
{:else if $status === 'connecting'}
<span>Connecting...</span>
{:else}
<span>Disconnected (not logged in?)</span>
{/if}Step 4: Send messages to specific users from anywhere
src/routes/api/notify/+server.js
import { json } from '@sveltejs/kit';
export async function POST({ request, platform }) {
const { userId, message } = await request.json();
// Only that user receives this (they subscribed in open())
platform.publish(`user:${userId}`, 'notification', { message });
return json({ sent: true });
}Why this works
The WebSocket upgrade is an HTTP request. The browser treats it like any other request to your domain - it includes all cookies, follows the same-origin policy, and respects httpOnly/secure/sameSite flags. There's no difference between how cookies reach a +page.server.js load function and how they reach the upgrade handler.
| What | Where | Same cookies? |
|---|---|---|
| Page load | +page.server.js load() | Yes |
| Form action | +page.server.js actions | Yes |
| API route | +server.js | Yes |
| Server hook | hooks.server.js handle() | Yes |
| WebSocket upgrade | hooks.ws.js upgrade() | Yes |
Platform API (event.platform)
Available in server hooks, load functions, form actions, API routes, and WebSocket hooks (hooks.ws).
platform.publish(topic, event, data, options?)
Send a message to all WebSocket clients subscribed to a topic.
Topic and event names are validated before being written into the JSON envelope -- quotes, backslashes, and control characters will throw. This prevents JSON injection when names are built from dynamic values like user IDs (platform.publish(\user:${id}`, ...)`). The validation is a single-pass char scan and adds no measurable overhead.
In cluster mode, the message is automatically relayed to all other workers. Pass { relay: false } to skip the relay when the message originates from an external pub/sub source (Redis, Postgres LISTEN/NOTIFY, etc.) that already delivers to every process:
// Redis subscriber running on every worker -- relay would cause duplicates
sub.on('message', (channel, payload) => {
platform.publish(channel, 'update', JSON.parse(payload), { relay: false });
});// src/routes/todos/+page.server.js
export const actions = {
create: async ({ request, platform }) => {
const formData = await request.formData();
const todo = await db.createTodo(formData.get('text'));
// Every client subscribed to 'todos' receives this
platform.publish('todos', 'created', todo);
return { success: true };
}
};platform.send(ws, topic, event, data)
Send a message to a single WebSocket connection. Wraps in the same { topic, event, data } envelope as publish().
This is useful when you store WebSocket references (e.g. in a Map) and need to message specific connections from SvelteKit handlers:
// src/hooks.ws.js - store connections by user ID
const userSockets = new Map();
export function open(ws, { platform }) {
const { userId } = ws.getUserData();
userSockets.set(userId, ws);
}
export function close(ws, { platform }) {
const { userId } = ws.getUserData();
userSockets.delete(userId);
}
// Export the map so SvelteKit handlers can access it
export { userSockets };// src/routes/api/dm/+server.js - send to a specific user
import { userSockets } from '../../hooks.ws.js';
export async function POST({ request, platform }) {
const { targetUserId, message } = await request.json();
const ws = userSockets.get(targetUserId);
if (ws) {
platform.send(ws, 'dm', 'new-message', { message });
}
return new Response('OK');
}You can also reply directly from inside hooks.ws.js using platform.send() or ws.send() with the envelope format:
// src/hooks.ws.js
export function message(ws, { data, platform }) {
const msg = JSON.parse(Buffer.from(data).toString());
// Using platform.send (recommended):
platform.send(ws, 'echo', 'reply', { got: msg });
// Or using ws.send with manual envelope:
ws.send(JSON.stringify({ topic: 'echo', event: 'reply', data: { got: msg } }));
}platform.sendTo(filter, topic, event, data)
Send a message to all connections whose userData matches a filter function. Returns the number of connections the message was sent to.
This is simpler than manually maintaining a Map of connections - no hooks.ws.js needed:
// src/routes/api/dm/+server.js - send to a specific user
export async function POST({ request, platform }) {
const { targetUserId, message } = await request.json();
const count = platform.sendTo(
(userData) => userData.userId === targetUserId,
'dm', 'new-message', { message }
);
return new Response(count > 0 ? 'Sent' : 'User offline');
}// Send to all admins
platform.sendTo(
(userData) => userData.role === 'admin',
'alerts', 'warning', { message: 'Server load high' }
);Performance:
sendToiterates every open connection and runs your filter function against each one. It's fine for low-frequency operations like sending a DM or notifying admins, but don't use it in a hot loop. If you're broadcasting to a known group of users, subscribe them to a shared topic and useplatform.publish()instead -- topic-based pub/sub is handled natively by uWS in C++ and doesn't touch the JS event loop.
platform.connections
Number of active WebSocket connections:
// src/routes/api/stats/+server.js
import { json } from '@sveltejs/kit';
export async function GET({ platform }) {
return json({ online: platform.connections });
}platform.subscribers(topic)
Number of clients subscribed to a specific topic:
export async function GET({ platform, params }) {
return json({
viewers: platform.subscribers(`page:${params.id}`)
});
}platform.topic(name) - scoped helper
Reduces repetition when publishing multiple events to the same topic:
// src/routes/todos/+page.server.js
export const actions = {
create: async ({ request, platform }) => {
const todos = platform.topic('todos');
const todo = await db.create(await request.formData());
todos.created(todo); // shorthand for platform.publish('todos', 'created', todo)
},
update: async ({ request, platform }) => {
const todos = platform.topic('todos');
const todo = await db.update(await request.formData());
todos.updated(todo);
},
delete: async ({ request, platform }) => {
const todos = platform.topic('todos');
const id = (await request.formData()).get('id');
await db.delete(id);
todos.deleted({ id });
}
};The topic helper also has counter methods:
const online = platform.topic('online-users');
online.set(42); // -> { event: 'set', data: 42 }
online.increment(); // -> { event: 'increment', data: 1 }
online.increment(5); // -> { event: 'increment', data: 5 }
online.decrement(); // -> { event: 'decrement', data: 1 }platform.batch(messages)
Publish multiple messages in a single call. Useful when an action updates several topics at once:
platform.batch([
{ topic: 'todos', event: 'created', data: todo },
{ topic: `user:${userId}`, event: 'activity', data: { action: 'create' } },
{ topic: 'stats', event: 'increment', data: { key: 'todos_created' } }
]);Each entry is published with platform.publish(). Cross-worker relay is batched automatically, so this is more efficient than three separate publish() calls from a relay overhead perspective.
Client store API
Import from svelte-adapter-uws/client. Everything auto-connects - you don't need to call connect() first.
on(topic) - subscribe to a topic
The main function most users need. Returns a Svelte readable store that updates whenever a message is published to the topic.
Important: The store starts as
null(no message received yet). Always use{#if $store}before accessing properties, or you'll get "Cannot read properties of null".
<script>
import { on } from 'svelte-adapter-uws/client';
// Full event envelope: { topic, event, data }
const todos = on('todos');
</script>
<!-- ALWAYS guard with {#if} - $todos is null until the first message arrives -->
{#if $todos}
<p>{$todos.event}: {JSON.stringify($todos.data)}</p>
{/if}
<!-- WRONG - will crash with "Cannot read properties of null" -->
<!-- <p>{$todos.event}</p> -->on(topic, event) - subscribe to a specific event
Filters to a single event name and wraps the payload in { data }:
<script>
import { on } from 'svelte-adapter-uws/client';
// Only 'created' events, wrapped in { data }
const newTodo = on('todos', 'created');
</script>
{#if $newTodo}
<p>New todo: {$newTodo.data.text}</p>
{/if}.scan(initial, reducer) - accumulate state
Like Array.reduce but reactive. Each new event feeds through the reducer:
<script>
import { on } from 'svelte-adapter-uws/client';
const todos = on('todos').scan([], (list, { event, data }) => {
if (event === 'created') return [...list, data];
if (event === 'updated') return list.map(t => t.id === data.id ? data : t);
if (event === 'deleted') return list.filter(t => t.id !== data.id);
return list;
});
</script>
{#each $todos as todo (todo.id)}
<p>{todo.text}</p>
{/each}onDerived(topicFn, store) - reactive topic subscription
Subscribes to a topic derived from a reactive value. When the source store changes, the old topic is released and the new one is subscribed automatically.
<script>
import { page } from '$app/stores';
import { onDerived } from 'svelte-adapter-uws/client';
import { derived } from 'svelte/store';
// Subscribe to a different topic based on the current route
const roomId = derived(page, ($page) => $page.params.id);
const messages = onDerived((id) => `room:${id}`, roomId);
</script>
{#if $messages}
<p>{$messages.event}: {JSON.stringify($messages.data)}</p>
{/if}Without onDerived, you'd need to manually watch the source store and call connect().subscribe() / connect().unsubscribe() yourself when it changes. onDerived handles the full lifecycle: subscribes when the first Svelte subscriber arrives, switches topics when the source changes, and unsubscribes from the server when the last Svelte subscriber leaves.
crud(topic, initial?, options?) - live CRUD list
Subscribes to a topic and handles created, updated, and deleted events automatically:
<script>
import { crud } from 'svelte-adapter-uws/client';
let { data } = $props(); // from +page.server.js load()
// $todos auto-updates when server publishes created/updated/deleted
const todos = crud('todos', data.todos);
</script>
{#each $todos as todo (todo.id)}
<p>{todo.text}</p>
{/each}Options:
key- property to match items by (default:'id')prepend- add new items to the beginning instead of end (default:false)maxAge- auto-remove entries that haven't been created/updated within this many milliseconds (see maxAge below)
// Notifications, newest first
const notifications = crud('notifications', [], { prepend: true });
// Items keyed by 'slug' instead of 'id'
const posts = crud('posts', data.posts, { key: 'slug' });Pair with platform.topic() on the server:
// Server: +page.server.js
export const actions = {
create: async ({ request, platform }) => {
const todo = await db.create(await request.formData());
platform.topic('todos').created(todo); // client sees 'created'
},
update: async ({ request, platform }) => {
const todo = await db.update(await request.formData());
platform.topic('todos').updated(todo); // client sees 'updated'
},
delete: async ({ request, platform }) => {
await db.delete((await request.formData()).get('id'));
platform.topic('todos').deleted({ id }); // client sees 'deleted'
}
};lookup(topic, initial?, options?) - live keyed object
Like crud() but returns a Record<string, T> instead of an array. Better for dashboards and fast lookups:
<script>
import { lookup } from 'svelte-adapter-uws/client';
let { data } = $props();
const users = lookup('users', data.users);
</script>
{#if $users[selectedId]}
<UserCard user={$users[selectedId]} />
{/if}Options:
key- property to match items by (default:'id')maxAge- auto-remove entries that haven't been created/updated within this many milliseconds (see maxAge below)
maxAge - client-side entry expiry
Both crud() and lookup() accept a maxAge option (in milliseconds). When set, entries that haven't received a created or updated event within that window are automatically removed from the store. Explicit deleted events still remove entries immediately.
This is useful for state backed by an external store with TTL (e.g. Redis). If the server fails to broadcast a removal event (mass disconnects, crashes, Redis TTL expiry without keyspace notifications), clients clean up on their own:
// Presence entries expire after 90s without a refresh
const users = lookup('__presence:board', data.users, { key: 'key', maxAge: 90_000 });
// Sensor readings expire after 30s without an update
const sensors = lookup('sensors', [], { key: 'id', maxAge: 30_000 });
// Same option works on crud()
const items = crud('items', data.items, { maxAge: 60_000 });The sweep runs at maxAge / 2 intervals (minimum 1 second). The timer is cleaned up automatically when the last subscriber unsubscribes.
latest(topic, max?, initial?) - ring buffer
Keeps the last N events. Perfect for chat, activity feeds, notifications:
<script>
import { latest } from 'svelte-adapter-uws/client';
// Keep the last 100 chat messages
const messages = latest('chat', 100);
</script>
{#each $messages as msg}
<p><b>{msg.event}:</b> {msg.data.text}</p>
{/each}count(topic, initial?) - live counter
Handles set, increment, and decrement events:
<script>
import { count } from 'svelte-adapter-uws/client';
const online = count('online-users');
</script>
<p>{$online} users online</p>Server (from any hook or handler that has platform):
// In hooks.ws.js - track connected users:
export function open(ws, { platform }) {
platform.topic('online-users').increment();
}
export function close(ws, { platform }) {
platform.topic('online-users').decrement();
}
// Or from a SvelteKit handler:
platform.topic('online-users').set(42);Heads up: The increment/decrement pattern above has a subtle race condition - a newly connected client won't see the current count because its
subscribemessage hasn't been processed yet whenopenfires. See Seeding initial state for the fix.
once(topic, event?, options?) - wait for one event
Returns a promise that resolves with the first matching event and then unsubscribes:
import { once } from 'svelte-adapter-uws/client';
// Wait for any event on the 'jobs' topic
const event = await once('jobs');
// Wait for a specific event
const result = await once('jobs', 'completed');
// With a timeout (rejects if no event within 5 seconds)
const result = await once('jobs', 'completed', { timeout: 5000 });
// Timeout without event filter
const event = await once('jobs', { timeout: 5000 });status - connection status
Readable store with the current connection state:
<script>
import { status } from 'svelte-adapter-uws/client';
</script>
{#if $status === 'open'}
<span class="badge green">Live</span>
{:else if $status === 'connecting'}
<span class="badge yellow">Connecting...</span>
{:else}
<span class="badge red">Disconnected</span>
{/if}ready() - wait for connection
Returns a promise that resolves when the WebSocket connection is open:
import { ready } from 'svelte-adapter-uws/client';
await ready();
// connection is now open, safe to send messagesIn SSR (no browser WebSocket), ready() resolves immediately and is a no-op.
ready() rejects if the connection is permanently closed before it opens. This happens when the server sends a terminal close code (1008/4401/4403), retries are exhausted, or close() is called explicitly. If you call ready() in a context where permanent closure is possible, add a .catch() handler or use try/await/catch.
connect(options?) - power-user API
Most users don't need this - on() and status auto-connect. Use connect() when you need close(), send(), or custom options.
If you pass custom options (like a non-default path), call connect() before any on(), status, ready(), or once() calls. Those functions auto-connect with defaults, and the connection is locked once created. A console warning will fire if your options are ignored due to ordering:
import { connect } from 'svelte-adapter-uws/client';
const ws = connect({
path: '/ws', // default: '/ws'
reconnectInterval: 3000, // default: 3000 ms
maxReconnectInterval: 30000, // default: 30000 ms
maxReconnectAttempts: Infinity, // default: Infinity
debug: true // default: false - turn this on to see everything!
});
// With debug: true, you'll see every WebSocket event in the browser console:
// [ws] connected
// [ws] subscribe -> todos
// [ws] <- todos created { id: 1, text: "Buy milk" }
// [ws] send -> { type: "ping" }
// [ws] disconnected
// [ws] queued -> { type: "important" }
// [ws] resubscribe-batch -> ['todos', 'chat']
// [ws] flush -> { type: "important" }
// Manual topic management
ws.subscribe('chat');
ws.unsubscribe('chat');
// Send custom messages to the server
ws.send({ type: 'ping' });
// Send with queue (messages queue up while disconnected, flush on reconnect)
ws.sendQueued({ type: 'important', data: '...' });
// Permanent disconnect (won't auto-reconnect)
ws.close();Automatic connection behaviors
The client handles several edge cases automatically, with no configuration required:
Exponential backoff with proportional jitter: each reconnect attempt waits longer than the previous one. The jitter is +-25% of the base delay (not a fixed +-500ms), so at high attempt counts thousands of clients are spread over a wide window rather than clustering.
Page visibility reconnect: when a browser tab resumes from background or a phone is unlocked, the client reconnects immediately instead of waiting for the backoff timer. Browsers often close WebSocket connections silently when a tab is hidden.
Batch resubscription: on reconnect, all topics are resubscribed in batched subscribe-batch messages. Each batch stays under the server's 8 KB control-message ceiling and 256-topic-per-batch cap. For typical apps (under 200 topics with short names) this is a single frame; larger sets are automatically chunked.
Zombie detection: the client checks every 30 seconds whether the server has been completely silent for more than 150 seconds (2.5x the server's idle timeout). If so, it forces a close and reconnects. This catches connections that appear open but were silently dropped by the server, which is common on mobile after wake from sleep.
Seeding initial state
When a client connects, there's a window between the WebSocket opening and the client's topic subscriptions being processed. Any platform.publish() calls that happen during open will be missed by the connecting client, because it hasn't subscribed to those topics yet.
This matters most with count(). If your open hook does platform.topic('online').set(total), the connecting client won't see it - the set event is broadcast before the client's subscribe message arrives.
The fix is to use the subscribe hook instead of (or alongside) open to send the current value directly to the subscribing client:
// src/hooks.ws.js
let online = 0;
export function open(ws, { platform }) {
online++;
platform.topic('online').set(online); // broadcasts to already-subscribed clients
}
export function subscribe(ws, topic, { platform }) {
// When a client subscribes to 'online', send it the current count
if (topic === 'online') {
platform.send(ws, 'online', 'set', online);
}
}
export function close(ws, { platform }) {
online--;
platform.topic('online').set(online);
}<!-- src/routes/+page.svelte -->
<script>
import { count } from 'svelte-adapter-uws/client';
const online = count('online');
</script>
<p>{$online} online</p>The subscribe hook fires at the right moment - after the client is actually subscribed to the topic. platform.send() sends only to that one client, so it gets the current value without waiting for the next broadcast.
This same pattern works for any topic where new subscribers need to see the current state. For a CRUD list, you could send the full dataset in subscribe:
// src/hooks.ws.js
export async function subscribe(ws, topic, { platform }) {
if (topic === 'todos') {
const todos = await db.getTodos();
for (const todo of todos) {
platform.send(ws, 'todos', 'created', todo);
}
}
}<script>
import { crud } from 'svelte-adapter-uws/client';
// No need for load() data - the subscribe hook seeds the list
const todos = crud('todos');
</script>
{#each $todos as todo (todo.id)}
<p>{todo.text}</p>
{/each}Plugins
Opt-in modules that build on top of the adapter's public API. They don't change any core behavior -- if you don't import them, they don't exist. Each plugin ships in its own subdirectory under plugins/ with separate server and client entry points.
Middleware
Composable message processing pipeline. Chain functions that run on inbound messages before your handler logic. Each middleware receives a context and a next function -- call next() to continue, skip it to stop the chain.
Setup
// src/lib/server/pipeline.js
import { createMiddleware } from 'svelte-adapter-uws/plugins/middleware';
export const pipeline = createMiddleware(
// logging
async (ctx, next) => {
console.log(`[${ctx.topic}] ${ctx.event}`);
await next();
},
// auth check
async (ctx, next) => {
const userId = ctx.ws.getUserData()?.userId;
if (!userId) return; // stop chain -- unauthenticated
ctx.locals.userId = userId;
await next();
},
// data enrichment
async (ctx, next) => {
ctx.data = { ...ctx.data, processedAt: Date.now() };
await next();
}
);Usage
// src/hooks.ws.js
import { pipeline } from '$lib/server/pipeline';
export async function message(ws, { data, platform }) {
const msg = JSON.parse(Buffer.from(data).toString());
const ctx = await pipeline.run(ws, msg, platform);
if (!ctx) return; // chain was stopped (e.g. auth failed)
// ctx.locals.userId is available here
// ctx.data has the enriched data
}API
| Method | Description |
|---|---|
| pipeline.run(ws, message, platform) | Execute the chain. Returns context or null if stopped |
| pipeline.use(fn) | Append a middleware at runtime |
The context object:
| Field | Description |
|---|---|
| ctx.ws | The WebSocket connection |
| ctx.message | Original parsed message |
| ctx.topic | Message topic (mutable) |
| ctx.event | Message event (mutable) |
| ctx.data | Message data (mutable) |
| ctx.platform | Platform reference |
| ctx.locals | Scratch space for middleware to share data |
Limitations
- Server-side only. No client component.
- No state. The middleware itself is stateless -- it's a pure pipeline. Use
ctx.localsto pass data between middlewares within a single message. - Double
next()guard. Callingnext()twice in the same middleware is a no-op (the second call does nothing).
Replay (SSR gap)
When you combine SSR with WebSocket live updates, there's a gap between server-side data loading and the moment the client's WebSocket connects. Messages published during that window are lost.
The replay plugin solves this without touching the adapter core. It's opt-in -- if you don't import it, it doesn't exist.
How it works
- Server: publish through a replay buffer instead of
platform.publish()directly -- messages get a sequence number and are stored in a ring buffer - SSR: pass the current sequence number to the client via your
load()function - Client:
onReplay()connects, requests missed messages, and switches to live mode once caught up
Setup
Create a shared replay instance:
// src/lib/server/replay.js
import { createReplay } from 'svelte-adapter-uws/plugins/replay';
export const replay = createReplay({ size: 500 });Use it when publishing:
// src/routes/chat/+page.server.js
import { replay } from '$lib/server/replay';
export async function load() {
const messages = await db.getRecentMessages();
return { messages, seq: replay.seq('chat') };
}
export const actions = {
send: async ({ request, platform }) => {
const form = await request.formData();
const msg = await db.createMessage(Object.fromEntries(form));
replay.publish(platform, 'chat', 'created', msg);
}
};Handle replay requests in your WebSocket handler:
// src/hooks.ws.js
import { replay } from '$lib/server/replay';
export function message(ws, { data, platform }) {
const msg = JSON.parse(Buffer.from(data).toString());
if (msg.type === 'replay') {
replay.replay(ws, msg.topic, msg.since, platform, msg.reqId);
return;
}
}Subscribe on the client with gap-free delivery:
<!-- src/routes/chat/+page.svelte -->
<script>
import { onReplay } from 'svelte-adapter-uws/plugins/replay/client';
let { data } = $props();
const messages = onReplay('chat', { since: data.seq }).scan(
data.messages,
(list, { event, data }) => {
if (event === 'created') return [...list, data];
return list;
}
);
</script>
{#each $messages as msg}
<p>{msg.text}</p>
{/each}Server API
import { createReplay } from 'svelte-adapter-uws/plugins/replay';
const replay = createReplay({
size: 1000, // max messages per topic (default: 1000)
maxTopics: 100 // max tracked topics, LRU evicted (default: 100)
});
replay.publish(platform, topic, event, data) // publish + buffer
replay.seq(topic) // current sequence number
replay.since(topic, seq) // buffered messages after seq
replay.replay(ws, topic, sinceSeq, platform, reqId) // send missed messages to one client
replay.clear() // reset everything
replay.clearTopic(topic) // reset one topicClient API
import { onReplay } from 'svelte-adapter-uws/plugins/replay/client';
// Works exactly like on() but bridges the SSR gap
const store = onReplay('chat', { since: data.seq });
// .scan() works the same as on().scan()
const messages = onReplay('chat', { since: data.seq }).scan([], reducer);Each onReplay() call generates a unique request ID that is sent with the replay request and matched against the server's responses. This means multiple onReplay('chat', ...) instances on the same page (e.g. two components subscribing to the same topic) each receive only their own replay stream and don't see each other's events. The server must pass msg.reqId to replay.replay() as shown above for this to work.
Buffer overflow: If more than size messages were published before the client connected and the ring buffer wrapped around, the store emits a synthetic { event: 'truncated', data: null } event after the replayed messages. Check for it in your reducer or subscriber to decide whether to reload all data from the server:
const messages = onReplay('chat', { since: data.seq }).scan(data.messages, (list, { event, data }) => {
if (event === 'truncated') return []; // buffer overflow - reload from server
if (event === 'created') return [...list, data];
return list;
});Limitations
- In-memory only. The ring buffer lives in the server process. A restart loses the buffer. For most apps this is fine -- the gap is typically under a second, and a page reload after a server restart gives fresh SSR data anyway.
- Single-worker only. In clustered mode, each worker has its own buffer. If the SSR load runs on worker A and the WebSocket connects to worker B, the replay won't have the right messages. If you need replay with clustering, stick to a single worker or use an external store.
- Buffer overflow. If more than
sizemessages are published to a topic before a client requests replay, the oldest are gone. Size the buffer for your expected throughput during the SSR-to-connect window (usually well under 100 messages).
Presence
Track who's connected to a topic in real time. Handles multi-tab dedup (same user with two tabs open = one presence entry), broadcasts join/leave events, and provides a live store on the client.
Setup
Create a shared presence instance:
// src/lib/server/presence.js
import { createPresence } from 'svelte-adapter-uws/plugins/presence';
export const presence = createPresence({
key: 'id',
select: (userData) => ({ id: userData.id, name: userData.name }),
heartbeat: 60_000 // optional: needed if clients use maxAge
});Wire it into your WebSocket hooks:
// src/hooks.ws.js
import { presence } from '$lib/server/presence';
export function upgrade({ cookies }) {
const user = validateSession(cookies.session_id);
if (!user) return false;
return { id: user.id, name: user.name };
}
export const { subscribe, unsubscribe, close } = presence.hooks;The hooks object handles everything: subscribe calls join() for regular topics and sends the current presence list for __presence:* topics, close calls leave(). If you need custom logic (auth gating, topic filtering), wrap the hook:
export function subscribe(ws, topic, ctx) {
if (topic === 'vip' && !ws.getUserData().isVip) return false;
presence.hooks.subscribe(ws, topic, ctx);
}
export const { unsubscribe, close } = presence.hooks;Use it on the client:
<!-- src/routes/room/+page.svelte -->
<script>
import { on } from 'svelte-adapter-uws/client';
import { presence } from 'svelte-adapter-uws/plugins/presence/client';
const messages = on('room');
const users = presence('room');
</script>
<aside>
<h3>{$users.length} online</h3>
{#each $users as user (user.id)}
<span>{user.name}</span>
{/each}
</aside>Use presence.list() in load functions for SSR:
// +page.server.js
import { presence } from '$lib/server/presence';
export async function load() {
return { users: presence.list('room'), online: presence.count('room') };
}Server API
import { createPresence } from 'svelte-adapter-uws/plugins/presence';
const presence = createPresence({
key: 'id', // field for multi-tab dedup (default: 'id')
select: (userData) => userData, // extract public fields (default: full userData)
heartbeat: 60_000 // broadcast active keys every 60s (default: disabled)
});
presence.hooks // ready-made { subscribe, unsubscribe, close } hooks
presence.join(ws, topic, platform) // add user to topic (call from subscribe hook)
presence.leave(ws, platform) // remove from all topics (call from close hook)
presence.sync(ws, topic, platform) // send list without joining (for observers)
presence.list(topic) // current user data array
presence.count(topic) // unique user count
presence.clear() // reset everything (stops heartbeat timer)Client API
import { presence } from 'svelte-adapter-uws/plugins/presence/client';
const users = presence('room');
// $users = [{ id: '1', name: 'Alice' }, { id: '2', name: 'Bob' }]The presence() function accepts an optional second argument with a maxAge option (in milliseconds). When set, entries that haven't been refreshed within that window are automatically removed from the store. This makes clients self-healing when the server fails to broadcast leave events under load.
Important: maxAge requires the server-side heartbeat option. Without heartbeat, no events arrive between the initial list and eventual leave, so maxAge would expire every user -- including ones who are still connected. The heartbeat periodically tells clients which keys are still active, resetting their maxAge timers.
// Server: heartbeat every 60s
const presence = createPresence({ key: 'id', heartbeat: 60_000 });
// Client: entries expire after 120s without a heartbeat refresh
const users = presence('room', { maxAge: 120_000 });Rule of thumb: set heartbeat to half (or less) of the client's maxAge.
How multi-tab dedup works
If user "Alice" (key id: '1') has three browser tabs open, presence.join() is called three times with the same key. The plugin ref-counts connections per key: Alice appears once in the list. When she closes two tabs, she stays present. Only when the last tab closes does the plugin broadcast a leave event.
If Alice's data changes between connections (for example she updates her avatar in one session and opens a fresh tab), join() detects the difference and broadcasts an updated event so other clients immediately see the new data. The updated event has the same shape as join: { key, data }.
If no key field is found in the selected data (e.g. no auth), each connection is tracked separately.
Limitations
- In-memory only. Same as replay -- server restart clears presence. On restart, clients reconnect and re-subscribe, so the list rebuilds within seconds.
- Single-worker only. Each worker tracks its own presence. In clustered mode, the list reflects only the local worker's connections.
- Requires subscription. The client must subscribe to the topic (via
on(),crud(), etc.) for the server'ssubscribehook to fire.presence('room')alone shows you the list but doesn't register you as present unless you're also subscribed toroom.
Typed channels
Define message schemas per topic so event names and data shapes are validated at publish time. Catches typos and shape mismatches before they reach the wire -- instead of silently sending garbage that the client ignores.
Setup
// src/lib/server/channels.js
import { createChannel } from 'svelte-adapter-uws/plugins/channels';
export const todos = createChannel('todos', {
created: (d) => ({ id: d.id, text: d.text, done: d.done }),
updated: (d) => ({ id: d.id, text: d.text, done: d.done }),
deleted: (d) => ({ id: d.id })
});Each event maps to a validator function. The function receives the raw data and returns the validated (and optionally transformed) output. Throw to reject.
With Zod (or any library that exposes .parse()):
import { z } from 'zod';
import { createChannel } from 'svelte-adapter-uws/plugins/channels';
const Todo = z.object({ id: z.string(), text: z.string(), done: z.boolean() });
export const todos = createChannel('todos', {
created: Todo,
updated: Todo,
deleted: z.object({ id: z.string() })
});Server API
import { todos } from '$lib/server/channels';
// In a form action or API route:
export async function POST({ request, platform }) {
const data = await request.json();
const todo = await db.save(data);
todos.publish(platform, 'created', todo); // validates, then publishes
todos.publish(platform, 'typo', todo); // throws: unknown event "typo"
todos.publish(platform, 'created', {}); // throws: validation failed (if validator rejects)
}| Method | Description |
|---|---|
| channel.publish(platform, event, data) | Validate and broadcast to all subscribers |
| channel.send(platform, ws, event, data) | Validate and send to a single connection |
| channel.topic | The topic string |
| channel.events | Array of valid event names |
Validators can strip private fields before publishing. If your validator returns { id, text } but the input had { id, text, secret }, only id and text reach clients.
Client API
The client wrapper is optional -- it catches event name typos on the receiving side too.
<script>
import { channel } from 'svelte-adapter-uws/plugins/channels/client';
const todos = channel('todos', ['created', 'updated', 'deleted']);
const all = todos.on(); // all events (same as on('todos'))
const created = todos.on('created'); // filtered (same as on('todos', 'created'))
const typo = todos.on('craeted'); // throws Error immediately
</script>The events array is optional. Without it, .on() works exactly like the regular on() with the topic pre-filled -- no validation, just convenience.
You can still use crud(), lookup(), latest(), etc. directly with the topic string. The client channel is purely additive.
Limitations
- Runtime only. The validation happens at publish/send time, not at compile time. TypeScript generics give you autocomplete for event names, but data shape checking is runtime.
- No dependency on Zod. The plugin accepts any validator function or any object with a
.parse()method. You bring your own validation library (or use plain functions).
Throttle/debounce
Per-topic publish rate limiting. Wraps platform.publish() to coalesce rapid-fire updates (mouse position, typing indicators, live metrics). Sends the latest value at most once per interval. No timers to manage yourself.
Two modes:
throttle(ms)-- sends immediately on first call (leading edge), then at most once per interval (trailing edge). Latest value wins within each interval.debounce(ms)-- waits until no calls for the full interval, then sends the latest value. Each new call resets the timer.
Setup
import { throttle, debounce } from 'svelte-adapter-uws/plugins/throttle';
const mouse = throttle(50); // at most once per 50ms per topic
const search = debounce(300); // wait for 300ms of silenceUsage
// In hooks.ws.js
import { mouse, search } from '$lib/server/rate-limiters';
export function message(ws, { data, platform }) {
const msg = JSON.parse(Buffer.from(data).toString());
if (msg.type === 'cursor') {
// 60 mouse moves/sec from 20 users = 1200 publishes/sec
// With throttle(50), each topic publishes at most 20/sec
mouse.publish(platform, 'cursors', 'move', {
userId: ws.getUserData().id,
x: msg.x, y: msg.y
});
}
if (msg.type === 'search') {
// User types fast -- only publish when they pause
search.publish(platform, 'search-results', 'query', { q: msg.q });
}
}Rate limiting is per-topic. If you call mouse.publish() for topics 'room-a' and 'room-b', each topic has its own independent timer.
API
| Method | Description |
|---|---|
| limiter.publish(platform, topic, event, data) | Publish with rate limiting |
| limiter.flush() | Send all pending immediately, clear all timers |
| limiter.flush(topic) | Send pending for one topic |
| limiter.cancel() | Discard all pending, clear all timers |
| limiter.cancel(topic) | Discard pending for one topic |
| limiter.interval | The configured interval in ms |
How throttle works
t=0 publish({x:0}) --> sends immediately (leading edge)
t=10 publish({x:1}) --> stored (latest)
t=30 publish({x:2}) --> stored (overwrites x:1)
t=50 [timer fires] --> sends {x:2} (trailing edge)
t=60 publish({x:3}) --> stored
t=100 [timer fires] --> sends {x:3}
t=150 [timer fires] --> nothing pending, goes idle
t=200