메인 콘텐츠로 건너뛰기

프로토콜 기준 정보로서의 TypeBox

마지막 업데이트: 2026-01-10 TypeBox는 TypeScript 우선 스키마 라이브러리입니다. OpenClaw는 이를 사용해 Gateway WebSocket protocol(핸드셰이크, 요청/응답, 서버 이벤트)을 정의합니다. 이 스키마는 런타임 검증, JSON Schema 내보내기, 그리고 macOS 앱용 Swift 코드 생성을 구동합니다. 기준 정보는 하나이고, 나머지는 모두 생성됩니다. 더 높은 수준의 프로토콜 컨텍스트가 필요하다면 Gateway architecture부터 시작하세요.

멘탈 모델(30초)

모든 Gateway WS 메시지는 다음 세 가지 프레임 중 하나입니다.
  • Request: { type: "req", id, method, params }
  • Response: { type: "res", id, ok, payload | error }
  • Event: { type: "event", event, payload, seq?, stateVersion? }
첫 번째 프레임은 반드시 connect 요청이어야 합니다. 그 후 클라이언트는 메서드(예: health, send, chat.send)를 호출하고 이벤트(예: presence, tick, agent)를 구독할 수 있습니다. 연결 흐름(최소):
Client                    Gateway
  |---- req:connect -------->|
  |<---- res:hello-ok --------|
  |<---- event:tick ----------|
  |---- req:health ---------->|
  |<---- res:health ----------|
일반적인 메서드 + 이벤트:
CategoryExamplesNotes
Coreconnect, health, statusconnect가 첫 번째여야 함
Messagingsend, agent, agent.wait, system-event, logs.tail부작용이 있으면 idempotencyKey 필요
Chatchat.history, chat.send, chat.abortWebChat이 이를 사용함
Sessionssessions.list, sessions.patch, sessions.delete세션 관리
Automationwake, cron.list, cron.run, cron.runswake + cron 제어
Nodesnode.list, node.invoke, node.pair.*Gateway WS + node 작업
Eventstick, presence, agent, chat, health, shutdown서버 푸시
권위 있는 광고용 discovery 인벤토리는 src/gateway/server-methods-list.ts (listGatewayMethods, GATEWAY_EVENTS)에 있습니다.

스키마 위치

  • 소스: src/gateway/protocol/schema.ts
  • 런타임 검증기(AJV): src/gateway/protocol/index.ts
  • 광고되는 기능/discovery 레지스트리: src/gateway/server-methods-list.ts
  • 서버 핸드셰이크 + 메서드 디스패치: src/gateway/server.impl.ts
  • Node 클라이언트: src/gateway/client.ts
  • 생성된 JSON Schema: dist/protocol.schema.json
  • 생성된 Swift 모델: apps/macos/Sources/OpenClawProtocol/GatewayModels.swift

현재 파이프라인

  • pnpm protocol:gen
    • JSON Schema(draft‑07)를 dist/protocol.schema.json에 기록
  • pnpm protocol:gen:swift
    • Swift gateway 모델 생성
  • pnpm protocol:check
    • 두 생성기를 모두 실행하고 출력이 커밋되었는지 검증

스키마가 런타임에서 사용되는 방식

  • 서버 측: 들어오는 모든 프레임은 AJV로 검증됩니다. 핸드셰이크는 params가 ConnectParams와 일치하는 connect 요청만 허용합니다.
  • 클라이언트 측: JS 클라이언트는 이벤트 및 응답 프레임을 사용하기 전에 검증합니다.
  • 기능 discovery: Gateway는 listGatewayMethods()GATEWAY_EVENTS에서 가져온 보수적인 features.methodsfeatures.events 목록을 hello-ok에 보냅니다.
  • 이 discovery 목록은 coreGatewayHandlers의 모든 호출 가능한 helper를 생성 덤프로 나열한 것이 아닙니다. 일부 helper RPC는 광고되는 기능 목록에 열거되지 않은 채 src/gateway/server-methods/*.ts에 구현됩니다.

예시 프레임

Connect(첫 번째 메시지):
{
  "type": "req",
  "id": "c1",
  "method": "connect",
  "params": {
    "minProtocol": 3,
    "maxProtocol": 3,
    "client": {
      "id": "openclaw-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": 3,
    "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();
  }
});

작업 예시: 메서드를 엔드 투 엔드로 추가하기

예시: { ok: true, text }를 반환하는 새 system.echo 요청을 추가합니다.
  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-methods-list.tslistGatewayMethods 입력에 "system.echo"를 추가합니다. 이 메서드가 operator 또는 node 클라이언트에서 호출 가능해야 한다면, 범위 강제와 hello-ok 기능 광고가 일치하도록 src/gateway/method-scopes.ts에서도 이를 분류하세요.
  1. 재생성
pnpm protocol:check
  1. 테스트 + 문서
src/gateway/server.*.test.ts에 서버 테스트를 추가하고 문서에 메서드를 기록합니다.

Swift 코드 생성 동작

Swift 생성기는 다음을 생성합니다.
  • req, res, event, unknown 케이스를 가진 GatewayFrame enum
  • 강한 타입의 payload struct/enum
  • ErrorCode 값과 GATEWAY_PROTOCOL_VERSION
알 수 없는 프레임 유형은 순방향 호환성을 위해 원시 payload로 보존됩니다.

버전 관리 + 호환성

  • PROTOCOL_VERSIONsrc/gateway/protocol/schema.ts에 있습니다.
  • 클라이언트는 minProtocol + maxProtocol을 보내며, 서버는 불일치를 거부합니다.
  • Swift 모델은 이전 클라이언트가 깨지지 않도록 알 수 없는 프레임 유형을 유지합니다.

스키마 패턴 및 규칙

  • 대부분의 객체는 엄격한 payload를 위해 additionalProperties: false를 사용합니다.
  • NonEmptyString은 ID와 method/event 이름의 기본값입니다.
  • 최상위 GatewayFrametype에 대한 discriminator를 사용합니다.
  • 부작용이 있는 메서드는 보통 params에 idempotencyKey가 필요합니다 (예: send, poll, agent, chat.send).
  • agent는 런타임 생성 오케스트레이션 컨텍스트를 위한 선택적 internalEvents를 받을 수 있습니다 (예: 하위 에이전트/cron 작업 완료 핸드오프). 이는 내부 API 표면으로 취급하세요.

라이브 스키마 JSON

생성된 JSON Schema는 리포지토리의 dist/protocol.schema.json에 있습니다. 게시된 원시 파일은 일반적으로 다음에서 확인할 수 있습니다.

스키마를 변경할 때

  1. TypeBox 스키마를 업데이트합니다.
  2. src/gateway/server-methods-list.ts에 메서드/이벤트를 등록합니다.
  3. 새 RPC에 operator 또는 node 범위 분류가 필요하면 src/gateway/method-scopes.ts를 업데이트합니다.
  4. pnpm protocol:check를 실행합니다.
  5. 재생성된 스키마 + Swift 모델을 커밋합니다.