WebChat: loopback snapshot hydration
parent
b2e7fb01a9
commit
2746efeb25
|
|
@ -1,33 +1,39 @@
|
||||||
# Web Chat (loopback + SSH tunnel)
|
# WebChat (loopback + SSH tunnel)
|
||||||
|
|
||||||
Updated: 2025-12-08
|
Updated: 2025-12-09
|
||||||
|
|
||||||
## What shipped
|
## What it is
|
||||||
- The relay now starts a loopback-only web chat server automatically (default port **18788**, configurable via `webchat.port`).
|
- A local web UI for chatting with the Gateway.
|
||||||
- Endpoints:
|
- Static assets served by the WebChat HTTP server (default port **18788**, configurable).
|
||||||
- `GET /webchat/info?session=<key>` → `{port, sessionId, initialMessages, basePath}` plus history from the relay’s session store.
|
- The WebChat backend holds a single WebSocket connection to the Gateway (`ws://127.0.0.1:18789` by default) for all control/data: history fetch, sends, agent runs, presence.
|
||||||
- `GET /webchat/*` → static Web Chat assets.
|
- Trust model: access is granted by being on localhost or inside your SSH/Tailscale tunnel. No additional auth prompts once you can reach the box.
|
||||||
- `POST /webchat/rpc` → runs the agent in-process and returns `{ ok, payloads?, error? }` (no CLI spawn, no PATH dependency).
|
- `webchat.gatewayPort` config can point at a non-default Gateway port if needed.
|
||||||
- The macOS app simply loads `http://127.0.0.1:<port>/webchat/?session=<key>` (or the SSH-forwarded port in remote mode). No Swift bridge is used for sends; all chat traffic stays inside the Node relay.
|
|
||||||
- Initial messages are fetched from `/webchat/info`, so history appears immediately.
|
|
||||||
- Enable/disable via `webchat.enabled` (default **true**); set the port with `webchat.port`.
|
|
||||||
|
|
||||||
## Security
|
## Endpoints
|
||||||
- Loopback only; remote access requires SSH port-forwarding.
|
- `GET /webchat/info?session=<key>` → `{ port, sessionId, initialMessages, basePath }` plus history from the Gateway session store.
|
||||||
- No bearer token; the trust model is “local machine or your SSH tunnel”.
|
- `GET /webchat/*` → static assets.
|
||||||
|
- `POST /webchat/rpc` → proxies a chat/agent action through the Gateway connection and returns `{ ok, payloads?, error? }`.
|
||||||
|
|
||||||
|
## How it connects
|
||||||
|
- On startup, the WebChat server dials the Gateway WebSocket and performs the mandatory `hello` handshake; the `hello-ok` snapshot seeds presence + health immediately.
|
||||||
|
- All outgoing sends/agent calls are requests on that WS; streamed events (`agent`, `presence`, `tick`) are forwarded to the browser client.
|
||||||
|
- If a seq gap is detected in Gateway events, WebChat auto-refreshes health + presence and broadcasts a `gateway-refresh` to connected browsers.
|
||||||
|
- If the Gateway WS is unavailable, WebChat fails fast and surfaces the error in the UI.
|
||||||
|
|
||||||
|
## Remote use
|
||||||
|
- SSH tunnel example: `ssh -N -L 18788:127.0.0.1:18788 -L 18789:127.0.0.1:18789 user@host`.
|
||||||
|
- Browse to `http://127.0.0.1:18788/webchat/?session=<key>` through the tunnel; the backend WS also rides the tunnel.
|
||||||
|
|
||||||
|
## Config
|
||||||
|
- `webchat.enabled` (default true)
|
||||||
|
- `webchat.port` (default 18788)
|
||||||
|
- Gateway WS port is set by `clawdis gateway --port`; WebChat expects it at 18789 unless overridden.
|
||||||
|
|
||||||
## Failure handling
|
## Failure handling
|
||||||
- Bootstrap errors show in-app (“Web chat failed to connect …”) instead of hanging.
|
- Clear UI error when the Gateway handshake fails or the WS drops.
|
||||||
- The mac app logs tunnel and endpoint details to the `com.steipete.clawdis/WebChat` subsystem.
|
- WebChat does not attempt fallback transports; the Gateway WS is required.
|
||||||
|
|
||||||
## Dev notes
|
## Dev notes
|
||||||
- Static assets stay in `apps/macos/Sources/Clawdis/Resources/WebChat`; the server reads them directly.
|
- Assets live in `apps/macos/Sources/Clawdis/Resources/WebChat`.
|
||||||
- Server code: `src/webchat/server.ts`.
|
- Server implementation: `src/webchat/server.ts`.
|
||||||
- CLI entrypoint (optional): `clawdis webchat --json [--port N]` to query/start manually.
|
- macOS glue: `WebChatWindow.swift` + `WebChatTunnel` for SSH -L helpers.
|
||||||
- RPC send path is in-process; the relay does not spawn `clawdis` or rely on PATH.
|
|
||||||
- Mac glue: `WebChatWindow.swift` (bootstrap + tunnel) and `WebChatTunnel` (SSH -L).
|
|
||||||
|
|
||||||
## TODO / nice-to-haves
|
|
||||||
- Enforce token by default once mobile/remote auth flows are in place.
|
|
||||||
- Stream responses instead of one-shot payloads.
|
|
||||||
- Expose a readiness endpoint for health checks.
|
|
||||||
|
|
|
||||||
|
|
@ -0,0 +1,91 @@
|
||||||
|
import { describe, expect, test } from "vitest";
|
||||||
|
import { WebSocket } from "ws";
|
||||||
|
import {
|
||||||
|
startWebChatServer,
|
||||||
|
stopWebChatServer,
|
||||||
|
__forceWebChatSnapshotForTests,
|
||||||
|
__broadcastGatewayEventForTests,
|
||||||
|
} from "./server.js";
|
||||||
|
|
||||||
|
async function getFreePort(): Promise<number> {
|
||||||
|
const { createServer } = await import("node:net");
|
||||||
|
return await new Promise((resolve, reject) => {
|
||||||
|
const server = createServer();
|
||||||
|
server.listen(0, "127.0.0.1", () => {
|
||||||
|
const port = (server.address() as any).port as number;
|
||||||
|
server.close((err: Error | null) => (err ? reject(err) : resolve(port)));
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
function onceMessage<T = any>(ws: WebSocket, filter: (obj: any) => boolean, timeoutMs = 8000) {
|
||||||
|
return new Promise<T>((resolve, reject) => {
|
||||||
|
const timer = setTimeout(() => reject(new Error("timeout")), timeoutMs);
|
||||||
|
const closeHandler = (code: number, reason: Buffer) => {
|
||||||
|
clearTimeout(timer);
|
||||||
|
ws.off("message", handler);
|
||||||
|
reject(new Error(`closed ${code}: ${reason.toString()}`));
|
||||||
|
};
|
||||||
|
const handler = (data: WebSocket.RawData) => {
|
||||||
|
const obj = JSON.parse(String(data));
|
||||||
|
if (filter(obj)) {
|
||||||
|
clearTimeout(timer);
|
||||||
|
ws.off("message", handler);
|
||||||
|
ws.off("close", closeHandler);
|
||||||
|
resolve(obj as T);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
ws.on("message", handler);
|
||||||
|
ws.once("close", closeHandler);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
describe("webchat server", () => {
|
||||||
|
test("hydrates snapshot to new sockets (offline mock)", { timeout: 8000 }, async () => {
|
||||||
|
const wPort = await getFreePort();
|
||||||
|
await startWebChatServer(wPort, undefined, { disableGateway: true });
|
||||||
|
const ws = new WebSocket(`ws://127.0.0.1:${wPort}/webchat/socket?session=test`);
|
||||||
|
const messages: any[] = [];
|
||||||
|
ws.on("message", (data) => {
|
||||||
|
try {
|
||||||
|
messages.push(JSON.parse(String(data)));
|
||||||
|
} catch {
|
||||||
|
/* ignore */
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
try {
|
||||||
|
await new Promise<void>((resolve) => ws.once("open", resolve));
|
||||||
|
|
||||||
|
__forceWebChatSnapshotForTests({
|
||||||
|
presence: [],
|
||||||
|
health: {},
|
||||||
|
stateVersion: { presence: 1, health: 1 },
|
||||||
|
uptimeMs: 0,
|
||||||
|
});
|
||||||
|
|
||||||
|
const waitFor = async (pred: (m: any) => boolean, label: string) => {
|
||||||
|
const start = Date.now();
|
||||||
|
while (Date.now() - start < 3000) {
|
||||||
|
const found = messages.find((m) => {
|
||||||
|
try {
|
||||||
|
return pred(m);
|
||||||
|
} catch {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
if (found) return found;
|
||||||
|
await new Promise((resolve) => setTimeout(resolve, 10));
|
||||||
|
}
|
||||||
|
throw new Error(`timeout waiting for ${label}`);
|
||||||
|
};
|
||||||
|
|
||||||
|
await waitFor((m) => m?.type === "session", "session");
|
||||||
|
const snap = await waitFor((m) => m?.type === "gateway-snapshot", "snapshot");
|
||||||
|
expect(snap.snapshot?.stateVersion?.presence).toBe(1);
|
||||||
|
} finally {
|
||||||
|
ws.close();
|
||||||
|
await stopWebChatServer();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
@ -1,13 +1,10 @@
|
||||||
import crypto from "node:crypto";
|
|
||||||
import fs from "node:fs";
|
import fs from "node:fs";
|
||||||
import http from "node:http";
|
import http from "node:http";
|
||||||
import os from "node:os";
|
import os from "node:os";
|
||||||
import path from "node:path";
|
import path from "node:path";
|
||||||
import { fileURLToPath } from "node:url";
|
import { fileURLToPath } from "node:url";
|
||||||
import sharp from "sharp";
|
|
||||||
import { type WebSocket, WebSocketServer } from "ws";
|
import { type WebSocket, WebSocketServer } from "ws";
|
||||||
|
|
||||||
import { agentCommand } from "../commands/agent.js";
|
|
||||||
import { loadConfig } from "../config/config.js";
|
import { loadConfig } from "../config/config.js";
|
||||||
import {
|
import {
|
||||||
loadSessionStore,
|
loadSessionStore,
|
||||||
|
|
@ -15,7 +12,8 @@ import {
|
||||||
type SessionEntry,
|
type SessionEntry,
|
||||||
} from "../config/sessions.js";
|
} from "../config/sessions.js";
|
||||||
import { logDebug, logError } from "../logger.js";
|
import { logDebug, logError } from "../logger.js";
|
||||||
import type { RuntimeEnv } from "../runtime.js";
|
import { GatewayClient } from "../gateway/client.js";
|
||||||
|
import { randomUUID } from "node:crypto";
|
||||||
|
|
||||||
const WEBCHAT_DEFAULT_PORT = 18788;
|
const WEBCHAT_DEFAULT_PORT = 18788;
|
||||||
|
|
||||||
|
|
@ -25,17 +23,15 @@ type WebChatServerState = {
|
||||||
};
|
};
|
||||||
|
|
||||||
type ChatMessage = { role: string; content: string };
|
type ChatMessage = { role: string; content: string };
|
||||||
type AttachmentInput = {
|
|
||||||
content?: string;
|
|
||||||
mimeType?: string;
|
|
||||||
fileName?: string;
|
|
||||||
type?: string;
|
|
||||||
};
|
|
||||||
type RpcPayload = { role: string; content: string };
|
type RpcPayload = { role: string; content: string };
|
||||||
|
|
||||||
let state: WebChatServerState | null = null;
|
let state: WebChatServerState | null = null;
|
||||||
let wss: WebSocketServer | null = null;
|
let wss: WebSocketServer | null = null;
|
||||||
const wsSessions: Map<string, Set<WebSocket>> = new Map();
|
const wsSessions: Map<string, Set<WebSocket>> = new Map();
|
||||||
|
let gateway: GatewayClient | null = null;
|
||||||
|
let gatewayReady = false;
|
||||||
|
let latestSnapshot: Record<string, unknown> | null = null;
|
||||||
|
let latestPolicy: Record<string, unknown> | null = null;
|
||||||
|
|
||||||
function resolveWebRoot() {
|
function resolveWebRoot() {
|
||||||
const here = path.dirname(fileURLToPath(import.meta.url));
|
const here = path.dirname(fileURLToPath(import.meta.url));
|
||||||
|
|
@ -129,186 +125,66 @@ function broadcastSession(sessionKey: string, payload: unknown) {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async function persistAttachments(
|
function broadcastAll(payload: unknown) {
|
||||||
attachments: AttachmentInput[],
|
const msg = JSON.stringify(payload);
|
||||||
sessionId: string,
|
for (const [, conns] of wsSessions) {
|
||||||
): Promise<{ placeholder: string; path: string }[]> {
|
for (const ws of conns) {
|
||||||
const out: { placeholder: string; path: string }[] = [];
|
try {
|
||||||
if (!attachments?.length) return out;
|
ws.send(msg);
|
||||||
|
} catch {
|
||||||
const root = path.join(
|
// ignore
|
||||||
os.homedir(),
|
|
||||||
".clawdis",
|
|
||||||
"webchat-uploads",
|
|
||||||
sessionId,
|
|
||||||
);
|
|
||||||
await fs.promises.mkdir(root, { recursive: true });
|
|
||||||
|
|
||||||
let idx = 1;
|
|
||||||
for (const att of attachments) {
|
|
||||||
try {
|
|
||||||
if (!att?.content || typeof att.content !== "string") continue;
|
|
||||||
const mime =
|
|
||||||
typeof att.mimeType === "string"
|
|
||||||
? att.mimeType
|
|
||||||
: "application/octet-stream";
|
|
||||||
const baseName = att.fileName || `${att.type || "attachment"}-${idx}`;
|
|
||||||
const ext = mime.startsWith("image/")
|
|
||||||
? mime.split("/")[1] || "bin"
|
|
||||||
: "bin";
|
|
||||||
const fileName = `${baseName}.${ext}`.replace(/[^a-zA-Z0-9._-]/g, "_");
|
|
||||||
const buf = Buffer.from(att.content, "base64");
|
|
||||||
|
|
||||||
let finalBuf: Buffer = buf;
|
|
||||||
let meta: { width?: number; height?: number } = {};
|
|
||||||
|
|
||||||
if (att.type === "image") {
|
|
||||||
const image = sharp(buf, { failOn: "none" });
|
|
||||||
meta = await image.metadata();
|
|
||||||
const needsResize =
|
|
||||||
(meta.width && meta.width > 2000) ||
|
|
||||||
(meta.height && meta.height > 2000);
|
|
||||||
if (needsResize) {
|
|
||||||
const resized = await image
|
|
||||||
.resize({ width: 2000, height: 2000, fit: "inside" })
|
|
||||||
.toBuffer({ resolveWithObject: true });
|
|
||||||
finalBuf = resized.data as Buffer;
|
|
||||||
meta = { width: resized.info.width, height: resized.info.height };
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (finalBuf.length > 6 * 1024 * 1024) {
|
|
||||||
out.push({
|
|
||||||
placeholder: `[Attachment too large: ${baseName} (${(finalBuf.length / 1024 / 1024).toFixed(1)} MB)]`,
|
|
||||||
path: "",
|
|
||||||
});
|
|
||||||
idx += 1;
|
|
||||||
continue;
|
|
||||||
}
|
|
||||||
|
|
||||||
const dest = path.join(root, fileName);
|
|
||||||
await fs.promises.writeFile(dest, finalBuf);
|
|
||||||
|
|
||||||
const sizeLabel = `${(finalBuf.length / 1024).toFixed(0)} KB`;
|
|
||||||
const dimLabel =
|
|
||||||
meta?.width && meta?.height ? `, ${meta.width}x${meta.height}` : "";
|
|
||||||
const placeholder = `[Attachment saved: ${dest} (${mime}${dimLabel}, ${sizeLabel})]`;
|
|
||||||
out.push({ placeholder, path: dest });
|
|
||||||
} catch (err) {
|
|
||||||
out.push({ placeholder: `[Attachment error: ${String(err)}]`, path: "" });
|
|
||||||
}
|
}
|
||||||
idx += 1;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
return out;
|
|
||||||
}
|
|
||||||
|
|
||||||
function formatMessageWithAttachments(
|
|
||||||
text: string,
|
|
||||||
saved: { placeholder: string }[],
|
|
||||||
): string {
|
|
||||||
if (!saved || saved.length === 0) return text;
|
|
||||||
const parts = [text, ...saved.map((s) => `\n\n${s.placeholder}`)];
|
|
||||||
return parts.join("");
|
|
||||||
}
|
}
|
||||||
|
|
||||||
async function handleRpc(
|
async function handleRpc(
|
||||||
body: unknown,
|
body: unknown,
|
||||||
sessionKey: string,
|
|
||||||
): Promise<{ ok: boolean; payloads?: RpcPayload[]; error?: string }> {
|
): Promise<{ ok: boolean; payloads?: RpcPayload[]; error?: string }> {
|
||||||
const payload = body as {
|
const payload = body as {
|
||||||
text?: unknown;
|
text?: unknown;
|
||||||
attachments?: unknown;
|
|
||||||
thinking?: unknown;
|
thinking?: unknown;
|
||||||
deliver?: unknown;
|
deliver?: unknown;
|
||||||
to?: unknown;
|
to?: unknown;
|
||||||
|
timeout?: unknown;
|
||||||
};
|
};
|
||||||
|
|
||||||
const text: string = (payload.text ?? "").toString();
|
const text: string = (payload.text ?? "").toString();
|
||||||
if (!text.trim()) return { ok: false, error: "empty text" };
|
if (!text.trim()) return { ok: false, error: "empty text" };
|
||||||
const attachments = Array.isArray(payload.attachments)
|
if (!gateway || !gatewayReady) {
|
||||||
? (payload.attachments as AttachmentInput[])
|
return { ok: false, error: "gateway unavailable" };
|
||||||
: [];
|
}
|
||||||
|
|
||||||
const thinking =
|
const thinking =
|
||||||
typeof payload.thinking === "string" ? payload.thinking : undefined;
|
typeof payload.thinking === "string" ? payload.thinking : undefined;
|
||||||
const to = typeof payload.to === "string" ? payload.to : undefined;
|
const to = typeof payload.to === "string" ? payload.to : undefined;
|
||||||
const deliver = Boolean(payload.deliver);
|
const deliver = Boolean(payload.deliver);
|
||||||
|
const timeout =
|
||||||
|
typeof payload.timeout === "number" ? payload.timeout : undefined;
|
||||||
|
|
||||||
const cfg = loadConfig();
|
const idempotencyKey = randomUUID();
|
||||||
const replyCfg = cfg.inbound?.reply;
|
|
||||||
if (!replyCfg || replyCfg.mode !== "command") {
|
|
||||||
return { ok: false, error: "agent command mode not configured" };
|
|
||||||
}
|
|
||||||
|
|
||||||
const storePath = replyCfg.session?.store
|
|
||||||
? resolveStorePath(replyCfg.session.store)
|
|
||||||
: resolveStorePath(undefined);
|
|
||||||
const store = loadSessionStore(storePath);
|
|
||||||
const sessionId = pickSessionId(sessionKey, store) ?? crypto.randomUUID();
|
|
||||||
|
|
||||||
const logs: string[] = [];
|
|
||||||
const runtime: RuntimeEnv = {
|
|
||||||
log: (msg: string) => void logs.push(String(msg)),
|
|
||||||
error: (_msg: string) => {},
|
|
||||||
exit: (code: number) => {
|
|
||||||
throw new Error(`agent exited ${code}`);
|
|
||||||
},
|
|
||||||
};
|
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const savedAttachments = await persistAttachments(attachments, sessionId);
|
// Send agent request; wait for final res (status ok/error)
|
||||||
|
const res = (await gateway.request(
|
||||||
await agentCommand(
|
"agent",
|
||||||
{
|
{
|
||||||
message: formatMessageWithAttachments(text, savedAttachments),
|
message: text,
|
||||||
sessionId,
|
|
||||||
thinking,
|
thinking,
|
||||||
deliver,
|
deliver,
|
||||||
to,
|
to,
|
||||||
json: true,
|
timeout,
|
||||||
surface: "webchat",
|
idempotencyKey,
|
||||||
},
|
},
|
||||||
runtime,
|
{ expectFinal: true },
|
||||||
);
|
)) as { status?: string; summary?: string };
|
||||||
|
if (res?.status && res.status !== "ok") {
|
||||||
|
return { ok: false, error: res.summary || res.status };
|
||||||
|
}
|
||||||
|
// The actual agent output is delivered via events; HTTP just returns ack.
|
||||||
|
return { ok: true, payloads: [] };
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
return { ok: false, error: String(err) };
|
return { ok: false, error: String(err) };
|
||||||
}
|
}
|
||||||
|
|
||||||
// Push latest session state to any connected webchat clients for this sessionKey.
|
|
||||||
try {
|
|
||||||
const cfg = loadConfig();
|
|
||||||
const sessionCfg = cfg.inbound?.reply?.session;
|
|
||||||
const storePath = sessionCfg?.store
|
|
||||||
? resolveStorePath(sessionCfg.store)
|
|
||||||
: resolveStorePath(undefined);
|
|
||||||
const store = loadSessionStore(storePath);
|
|
||||||
const persistedSessionId = pickSessionId(sessionKey, store) ?? sessionId;
|
|
||||||
const messages = persistedSessionId
|
|
||||||
? readSessionMessages(persistedSessionId, storePath)
|
|
||||||
: [];
|
|
||||||
const sessionEntry = sessionKey ? store[sessionKey] : undefined;
|
|
||||||
const persistedThinking = sessionEntry?.thinkingLevel;
|
|
||||||
broadcastSession(sessionKey, {
|
|
||||||
type: "session",
|
|
||||||
sessionKey,
|
|
||||||
messages,
|
|
||||||
thinkingLevel:
|
|
||||||
typeof persistedThinking === "string"
|
|
||||||
? persistedThinking
|
|
||||||
: (cfg.inbound?.reply?.thinkingDefault ?? "off"),
|
|
||||||
});
|
|
||||||
} catch {
|
|
||||||
// best-effort; ignore broadcast errors
|
|
||||||
}
|
|
||||||
|
|
||||||
const jsonLine = logs.find((l) => l.trim().startsWith("{"));
|
|
||||||
if (!jsonLine) return { ok: false, error: "no agent output" };
|
|
||||||
try {
|
|
||||||
const parsed = JSON.parse(jsonLine);
|
|
||||||
return { ok: true, payloads: parsed.payloads ?? [] };
|
|
||||||
} catch (err) {
|
|
||||||
return { ok: false, error: `parse error: ${String(err)}` };
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
function notFound(res: http.ServerResponse) {
|
function notFound(res: http.ServerResponse) {
|
||||||
|
|
@ -316,7 +192,11 @@ function notFound(res: http.ServerResponse) {
|
||||||
res.end("Not Found");
|
res.end("Not Found");
|
||||||
}
|
}
|
||||||
|
|
||||||
export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
export async function startWebChatServer(
|
||||||
|
port = WEBCHAT_DEFAULT_PORT,
|
||||||
|
gatewayOverrideUrl?: string,
|
||||||
|
opts?: { disableGateway?: boolean },
|
||||||
|
) {
|
||||||
if (state) return state;
|
if (state) return state;
|
||||||
|
|
||||||
const root = resolveWebRoot();
|
const root = resolveWebRoot();
|
||||||
|
|
@ -359,6 +239,9 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
sessionId,
|
sessionId,
|
||||||
initialMessages: messages,
|
initialMessages: messages,
|
||||||
basePath: "/",
|
basePath: "/",
|
||||||
|
gatewayConnected: gatewayReady,
|
||||||
|
gatewaySnapshot: latestSnapshot,
|
||||||
|
gatewayPolicy: latestPolicy,
|
||||||
}),
|
}),
|
||||||
);
|
);
|
||||||
return;
|
return;
|
||||||
|
|
@ -372,9 +255,7 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
} catch {
|
} catch {
|
||||||
// ignore
|
// ignore
|
||||||
}
|
}
|
||||||
const sessionKey =
|
const result = await handleRpc(body);
|
||||||
typeof body.session === "string" ? body.session : "main";
|
|
||||||
const result = await handleRpc(body, sessionKey);
|
|
||||||
res.setHeader("Content-Type", "application/json");
|
res.setHeader("Content-Type", "application/json");
|
||||||
res.end(JSON.stringify(result));
|
res.end(JSON.stringify(result));
|
||||||
return;
|
return;
|
||||||
|
|
@ -434,6 +315,58 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
);
|
);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
// Gateway connection (control/data plane)
|
||||||
|
const cfgObj = loadConfig() as Record<string, unknown>;
|
||||||
|
if (!opts?.disableGateway) {
|
||||||
|
const cfgGatewayPort =
|
||||||
|
(cfgObj.webchat as { gatewayPort?: number } | undefined)?.gatewayPort ??
|
||||||
|
18789;
|
||||||
|
const gatewayUrl = gatewayOverrideUrl ?? `ws://127.0.0.1:${cfgGatewayPort}`;
|
||||||
|
const gatewayToken =
|
||||||
|
process.env.CLAWDIS_GATEWAY_TOKEN ??
|
||||||
|
(cfgObj.gateway as { token?: string } | undefined)?.token;
|
||||||
|
gateway = new GatewayClient({
|
||||||
|
url: gatewayUrl,
|
||||||
|
token: gatewayToken,
|
||||||
|
clientName: "webchat-backend",
|
||||||
|
clientVersion:
|
||||||
|
process.env.CLAWDIS_VERSION ?? process.env.npm_package_version ?? "dev",
|
||||||
|
platform: process.platform,
|
||||||
|
mode: "webchat",
|
||||||
|
instanceId: `webchat-${os.hostname()}`,
|
||||||
|
onHelloOk: (hello) => {
|
||||||
|
gatewayReady = true;
|
||||||
|
latestSnapshot = hello.snapshot as Record<string, unknown>;
|
||||||
|
latestPolicy = hello.policy as Record<string, unknown>;
|
||||||
|
broadcastAll({ type: "gateway-snapshot", snapshot: hello.snapshot, policy: hello.policy });
|
||||||
|
},
|
||||||
|
onEvent: (evt) => {
|
||||||
|
broadcastAll({ type: "gateway-event", event: evt.event, payload: evt.payload, seq: evt.seq, stateVersion: evt.stateVersion });
|
||||||
|
},
|
||||||
|
onClose: () => {
|
||||||
|
gatewayReady = false;
|
||||||
|
},
|
||||||
|
onGap: async () => {
|
||||||
|
if (!gatewayReady || !gateway) return;
|
||||||
|
try {
|
||||||
|
const [health, presence] = await Promise.all([
|
||||||
|
gateway.request("health"),
|
||||||
|
gateway.request("system-presence"),
|
||||||
|
]);
|
||||||
|
latestSnapshot = {
|
||||||
|
...latestSnapshot,
|
||||||
|
health,
|
||||||
|
presence,
|
||||||
|
} as Record<string, unknown>;
|
||||||
|
broadcastAll({ type: "gateway-refresh", health, presence });
|
||||||
|
} catch (err) {
|
||||||
|
logError(`webchat gap refresh failed: ${String(err)}`);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
});
|
||||||
|
gateway.start();
|
||||||
|
}
|
||||||
|
|
||||||
// WebSocket setup for live session updates.
|
// WebSocket setup for live session updates.
|
||||||
wss = new WebSocketServer({ noServer: true });
|
wss = new WebSocketServer({ noServer: true });
|
||||||
server.on("upgrade", (req, socket, head) => {
|
server.on("upgrade", (req, socket, head) => {
|
||||||
|
|
@ -443,10 +376,13 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
socket.destroy();
|
socket.destroy();
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
if (
|
const addr = req.socket.remoteAddress ?? "";
|
||||||
req.socket.remoteAddress &&
|
const isLocal =
|
||||||
!req.socket.remoteAddress.startsWith("127.")
|
addr.startsWith("127.") ||
|
||||||
) {
|
addr === "::1" ||
|
||||||
|
addr.endsWith("127.0.0.1") ||
|
||||||
|
addr.endsWith("::ffff:127.0.0.1");
|
||||||
|
if (!isLocal) {
|
||||||
socket.destroy();
|
socket.destroy();
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
@ -486,6 +422,15 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
: (cfg.inbound?.reply?.thinkingDefault ?? "off"),
|
: (cfg.inbound?.reply?.thinkingDefault ?? "off"),
|
||||||
}),
|
}),
|
||||||
);
|
);
|
||||||
|
if (latestSnapshot) {
|
||||||
|
ws.send(
|
||||||
|
JSON.stringify({
|
||||||
|
type: "gateway-snapshot",
|
||||||
|
snapshot: latestSnapshot,
|
||||||
|
policy: latestPolicy,
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
}
|
||||||
});
|
});
|
||||||
} catch (_err) {
|
} catch (_err) {
|
||||||
socket.destroy();
|
socket.destroy();
|
||||||
|
|
@ -531,6 +476,54 @@ export async function startWebChatServer(port = WEBCHAT_DEFAULT_PORT) {
|
||||||
return state;
|
return state;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export async function stopWebChatServer() {
|
||||||
|
if (!state) return;
|
||||||
|
gatewayReady = false;
|
||||||
|
gateway?.stop();
|
||||||
|
gateway = null;
|
||||||
|
if (wss) {
|
||||||
|
for (const client of wss.clients) {
|
||||||
|
try {
|
||||||
|
client.close();
|
||||||
|
} catch {
|
||||||
|
/* ignore */
|
||||||
|
}
|
||||||
|
}
|
||||||
|
await new Promise<void>((resolve) => wss?.close(() => resolve()));
|
||||||
|
}
|
||||||
|
if (state.server) {
|
||||||
|
await new Promise<void>((resolve) => state?.server.close(() => resolve()));
|
||||||
|
}
|
||||||
|
wss = null;
|
||||||
|
wsSessions.clear();
|
||||||
|
state = null;
|
||||||
|
}
|
||||||
|
|
||||||
|
export async function waitForWebChatGatewayReady(timeoutMs = 10000) {
|
||||||
|
const start = Date.now();
|
||||||
|
while (!latestSnapshot) {
|
||||||
|
if (Date.now() - start > timeoutMs) {
|
||||||
|
throw new Error("webchat gateway not ready");
|
||||||
|
}
|
||||||
|
await new Promise((resolve) => setTimeout(resolve, 50));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Test-only helpers to seed/broadcast without a live Gateway connection.
|
||||||
|
export function __forceWebChatSnapshotForTests(
|
||||||
|
snapshot: Record<string, unknown>,
|
||||||
|
policy?: Record<string, unknown>,
|
||||||
|
) {
|
||||||
|
latestSnapshot = snapshot;
|
||||||
|
latestPolicy = policy ?? null;
|
||||||
|
gatewayReady = true;
|
||||||
|
broadcastAll({ type: "gateway-snapshot", snapshot: latestSnapshot, policy: latestPolicy });
|
||||||
|
}
|
||||||
|
|
||||||
|
export function __broadcastGatewayEventForTests(event: string, payload: unknown) {
|
||||||
|
broadcastAll({ type: "gateway-event", event, payload });
|
||||||
|
}
|
||||||
|
|
||||||
export async function ensureWebChatServerFromConfig() {
|
export async function ensureWebChatServerFromConfig() {
|
||||||
const cfg = loadConfig();
|
const cfg = loadConfig();
|
||||||
if (cfg.webchat?.enabled === false) return null;
|
if (cfg.webchat?.enabled === false) return null;
|
||||||
|
|
|
||||||
Loading…
Reference in New Issue