跳到主要内容

TypeBox 作为协议的事实来源

最后更新日期:2026-01-10

TypeBox 是一个 TypeScript 优先的模式库。我们使用它来定义网关 WebSocket 协议(握手、请求/响应、服务器事件)。这些模式驱动了运行时验证JSON Schema 导出以及为 macOS 应用提供的 Swift 代码生成。一个事实来源;其他所有内容都是生成的。

如果您想了解更高级别的协议上下文,请从 网关架构 (Gateway architecture) 开始。

心智模型 (30 秒)

每个网关 WS 消息都是以下三种帧之一:

  • Request (请求){ type: "req", id, method, params }
  • Response (响应){ type: "res", id, ok, payload | error }
  • Event (事件){ type: "event", event, payload, seq?, stateVersion? }

第一帧必须是一个 connect 请求。之后,客户端可以调用方法(例如 healthsendchat.send)并订阅事件(例如 presencetickagent)。

连接流程(最小化):

客户端                    网关
|---- req:connect -------->|
|<---- res:hello-ok --------|
|<---- event:tick ----------|
|---- req:health ---------->|
|<---- res:health ----------|

常见方法 + 事件:

类别示例备注
核心 (Core)connect, health, statusconnect 必须是第一步
消息 (Messaging)send, poll, agent, agent.wait副作用需要 idempotencyKey
聊天 (Chat)chat.history, chat.send, chat.abort, chat.injectWebChat 使用这些
会话 (Sessions)sessions.list, sessions.patch, sessions.delete会话管理
节点 (Nodes)node.list, node.invoke, node.pair.*网关 WS + 节点操作
事件 (Events)tick, presence, agent, chat, health, shutdown服务器推送

权威列表位于 src/gateway/server.ts (METHODS, EVENTS)。

模式存放位置

  • 源码:src/gateway/protocol/schema.ts
  • 运行时验证器 (AJV):src/gateway/protocol/index.ts
  • 服务器握手 + 方法分发:src/gateway/server.ts
  • 节点客户端:src/gateway/client.ts
  • 生成的 JSON Schema:dist/protocol.schema.json
  • 生成的 Swift 模型:apps/macos/Sources/ClawdbotProtocol/GatewayModels.swift

当前流水线

  • pnpm protocol:gen
    • 将 JSON Schema (draft‑07) 写入 dist/protocol.schema.json
  • pnpm protocol:gen:swift
    • 生成 Swift 网关模型
  • pnpm protocol:check
    • 运行两个生成器并验证输出是否已提交

模式如何在运行时使用

  • 服务器端:每个入站帧都使用 AJV 进行验证。握手仅接受参数匹配 ConnectParamsconnect 请求。
  • 客户端:JS 客户端在处理事件和响应帧之前会先进行验证。
  • 方法界面:网关在 hello-ok 中宣告支持的 methodsevents

帧示例

Connect (第一条消息):

{
"type": "req",
"id": "c1",
"method": "connect",
"params": {
"minProtocol": 2,
"maxProtocol": 2,
"client": {
"id": "clawdbot-macos",
"displayName": "macos",
"version": "1.0.0",
"platform": "macos 15.1",
"mode": "ui",
"instanceId": "A1B2"
}
}
}

Hello-ok 响应:

{
"type": "res",
"id": "c1",
"ok": true,
"payload": {
"type": "hello-ok",
"protocol": 2,
"server": { "version": "dev", "connId": "ws-1" },
"features": { "methods": ["health"], "events": ["tick"] },
"snapshot": { "presence": [], "health": {}, "stateVersion": { "presence": 0, "health": 0 }, "uptimeMs": 0 },
"policy": { "maxPayload": 1048576, "maxBufferedBytes": 1048576, "tickIntervalMs": 30000 }
}
}

请求 + 响应:

{ "type": "req", "id": "r1", "method": "health" }
{ "type": "res", "id": "r1", "ok": true, "payload": { "ok": true } }

事件:

{ "type": "event", "event": "tick", "payload": { "ts": 1730000000 }, "seq": 12 }

最小客户端 (Node.js)

最小有用流程:connect + health。

import { WebSocket } from "ws";

const ws = new WebSocket("ws://127.0.0.1:18789");

ws.on("open", () => {
ws.send(JSON.stringify({
type: "req",
id: "c1",
method: "connect",
params: {
minProtocol: 3,
maxProtocol: 3,
client: {
id: "cli",
displayName: "example",
version: "dev",
platform: "node",
mode: "cli"
}
}
}));
});

ws.on("message", (data) => {
const msg = JSON.parse(String(data));
if (msg.type === "res" && msg.id === "c1" && msg.ok) {
ws.send(JSON.stringify({ type: "req", id: "h1", method: "health" }));
}
if (msg.type === "res" && msg.id === "h1") {
console.log("health:", msg.payload);
ws.close();
}
});

完整示例:端到端添加一个方法

示例:添加一个新的 system.echo 请求,返回 { ok: true, text }

  1. 模式 (事实来源)

添加到 src/gateway/protocol/schema.ts

export const SystemEchoParamsSchema = Type.Object(
{ text: NonEmptyString },
{ additionalProperties: false },
);

export const SystemEchoResultSchema = Type.Object(
{ ok: Type.Boolean(), text: NonEmptyString },
{ additionalProperties: false },
);

将两者添加到 ProtocolSchemas 并导出类型:

  SystemEchoParams: SystemEchoParamsSchema,
SystemEchoResult: SystemEchoResultSchema,
export type SystemEchoParams = Static<typeof SystemEchoParamsSchema>;
export type SystemEchoResult = Static<typeof SystemEchoResultSchema>;
  1. 验证

src/gateway/protocol/index.ts 中导出 AJV 验证器:

export const validateSystemEchoParams =
ajv.compile<SystemEchoParams>(SystemEchoParamsSchema);
  1. 服务器行为

src/gateway/server-methods/system.ts 中添加处理程序:

export const systemHandlers: GatewayRequestHandlers = {
"system.echo": ({ params, respond }) => {
const text = String(params.text ?? "");
respond(true, { ok: true, text });
},
};

src/gateway/server-methods.ts 中注册(已经合并了 systemHandlers),然后在 src/gateway/server.tsMETHODS 中添加 "system.echo"

  1. 重新生成
pnpm protocol:check
  1. 测试 + 文档

src/gateway/server.*.test.ts 中添加服务器测试,并在文档中注明该方法。

Swift 代码生成行为

Swift 生成器发出:

  • 具有 reqreseventunknown 情况的 GatewayFrame 枚举
  • 强类型的有效负载结构体/枚举
  • ErrorCode 值和 GATEWAY_PROTOCOL_VERSION

未知的帧类型会被保留为原始有效负载,以实现向前兼容。

版本控制 + 兼容性

  • PROTOCOL_VERSION 位于 src/gateway/protocol/schema.ts
  • 客户端发送 minProtocol + maxProtocol;服务器拒绝不匹配的情况。
  • Swift 模型保留未知帧类型,以避免破坏旧客户端。

模式模式与惯例

  • 大多数对象使用 additionalProperties: false 以实现严格的有效负载。
  • NonEmptyString 是 ID 和方法/事件名称的默认值。
  • 顶级 GatewayFrametype 上使用 鉴别器 (discriminator)
  • 具有副作用的方法通常要求在参数中包含 idempotencyKey(例如:sendpollagentchat.send)。

实时模式 JSON

生成的 JSON Schema 在仓库中的 dist/protocol.schema.json。发布的原始文件通常可以通过以下地址获取:

当您更改模式时

  1. 更新 TypeBox 模式。
  2. 运行 pnpm protocol:check
  3. 提交重新生成的模式 + Swift 模型。