Files
openclaw/src/gateway/server.agent.gateway-server-agent-a.e2e.test.ts

518 lines
15 KiB
TypeScript
Raw Normal View History

2026-01-14 01:08:15 +00:00
import fs from "node:fs/promises";
import os from "node:os";
import path from "node:path";
import { afterAll, beforeAll, describe, expect, test, vi } from "vitest";
2026-01-18 18:43:31 +00:00
import type { ChannelPlugin } from "../channels/plugins/types.js";
import { createChannelTestPluginBase } from "../test-utils/channel-plugins.js";
import { setRegistry } from "./server.agent.gateway-server-agent.mocks.js";
import { createRegistry } from "./server.e2e-registry-helpers.js";
2026-01-14 01:08:15 +00:00
import {
agentCommand,
connectOk,
installGatewayTestHooks,
rpcReq,
startServerWithClient,
testState,
writeSessionStore,
2026-01-14 01:08:15 +00:00
} from "./test-helpers.js";
installGatewayTestHooks({ scope: "suite" });
let server: Awaited<ReturnType<typeof startServerWithClient>>["server"];
let ws: Awaited<ReturnType<typeof startServerWithClient>>["ws"];
beforeAll(async () => {
const started = await startServerWithClient();
server = started.server;
ws = started.ws;
await connectOk(ws);
});
afterAll(async () => {
ws.close();
await server.close();
});
2026-01-14 01:08:15 +00:00
const BASE_IMAGE_PNG =
"iVBORw0KGgoAAAANSUhEUgAAAAEAAAABCAQAAAC1HAwCAAAAC0lEQVR42mP8/x8AAwMCAO+X3mIAAAAASUVORK5CYII=";
type AgentCommandCall = Record<string, unknown>;
2026-01-14 01:08:15 +00:00
function expectChannels(call: Record<string, unknown>, channel: string) {
expect(call.channel).toBe(channel);
expect(call.messageChannel).toBe(channel);
const runContext = call.runContext as { messageChannel?: string } | undefined;
expect(runContext?.messageChannel).toBe(channel);
2026-01-14 01:08:15 +00:00
}
async function setTestSessionStore(params: {
entries: Record<string, Record<string, unknown>>;
agentId?: string;
}) {
const dir = await fs.mkdtemp(path.join(os.tmpdir(), "openclaw-gw-"));
testState.sessionStorePath = path.join(dir, "sessions.json");
await writeSessionStore({
entries: params.entries,
agentId: params.agentId,
});
}
function latestAgentCall(): AgentCommandCall {
2026-02-17 14:31:02 +09:00
const calls = vi.mocked(agentCommand).mock.calls as unknown as Array<[unknown]>;
return calls.at(-1)?.[0] as AgentCommandCall;
}
async function runMainAgentDeliveryWithSession(params: {
entry: Record<string, unknown>;
request: Record<string, unknown>;
allowFrom?: string[];
}) {
setRegistry(defaultRegistry);
testState.allowFrom = params.allowFrom ?? ["+1555"];
try {
await setTestSessionStore({
entries: {
main: {
...params.entry,
updatedAt: Date.now(),
},
},
});
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "main",
deliver: true,
...params.request,
});
expect(res.ok).toBe(true);
return latestAgentCall();
} finally {
testState.allowFrom = undefined;
}
}
2026-01-18 18:43:31 +00:00
const createStubChannelPlugin = (params: {
id: ChannelPlugin["id"];
label: string;
resolveAllowFrom?: (cfg: Record<string, unknown>) => string[];
}): ChannelPlugin => ({
...createChannelTestPluginBase({
2026-01-18 18:43:31 +00:00
id: params.id,
label: params.label,
config: {
resolveAllowFrom: params.resolveAllowFrom
? ({ cfg }) => params.resolveAllowFrom?.(cfg as Record<string, unknown>) ?? []
: undefined,
},
}),
2026-01-18 18:43:31 +00:00
outbound: {
deliveryMode: "direct",
resolveTarget: ({ to, allowFrom }) => {
const trimmed = to?.trim() ?? "";
if (trimmed) {
return { ok: true, to: trimmed };
}
2026-01-18 18:43:31 +00:00
const first = allowFrom?.[0];
if (first) {
return { ok: true, to: String(first) };
}
2026-01-18 18:43:31 +00:00
return {
ok: false,
error: new Error(`missing target for ${params.id}`),
};
},
sendText: async () => ({ channel: params.id, messageId: "msg-test" }),
sendMedia: async () => ({ channel: params.id, messageId: "msg-test" }),
},
});
const defaultRegistry = createRegistry([
{
pluginId: "whatsapp",
source: "test",
plugin: createStubChannelPlugin({
id: "whatsapp",
label: "WhatsApp",
resolveAllowFrom: (cfg) => {
const channels = cfg.channels as Record<string, unknown> | undefined;
const entry = channels?.whatsapp as Record<string, unknown> | undefined;
const allow = entry?.allowFrom;
return Array.isArray(allow) ? allow.map((value) => String(value)) : [];
},
}),
},
{
pluginId: "telegram",
source: "test",
plugin: createStubChannelPlugin({ id: "telegram", label: "Telegram" }),
},
{
pluginId: "discord",
source: "test",
plugin: createStubChannelPlugin({ id: "discord", label: "Discord" }),
},
{
pluginId: "slack",
source: "test",
plugin: createStubChannelPlugin({ id: "slack", label: "Slack" }),
},
{
pluginId: "signal",
source: "test",
plugin: createStubChannelPlugin({ id: "signal", label: "Signal" }),
},
]);
2026-01-14 01:08:15 +00:00
describe("gateway server agent", () => {
test("agent marks implicit delivery when lastTo is stale", async () => {
setRegistry(defaultRegistry);
2026-01-14 01:08:15 +00:00
testState.allowFrom = ["+436769770569"];
await setTestSessionStore({
entries: {
main: {
sessionId: "sess-main-stale",
updatedAt: Date.now(),
lastChannel: "whatsapp",
lastTo: "+1555",
2026-01-14 01:08:15 +00:00
},
},
});
2026-01-14 01:08:15 +00:00
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "main",
channel: "last",
deliver: true,
idempotencyKey: "idem-agent-last-stale",
});
expect(res.ok).toBe(true);
const call = latestAgentCall();
2026-01-14 01:08:15 +00:00
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1555");
expect(call.deliveryTargetMode).toBe("implicit");
expect(call.sessionId).toBe("sess-main-stale");
testState.allowFrom = undefined;
});
test("agent forwards sessionKey to agentCommand", async () => {
setRegistry(defaultRegistry);
await setTestSessionStore({
entries: {
"agent:main:subagent:abc": {
sessionId: "sess-sub",
updatedAt: Date.now(),
2026-01-14 01:08:15 +00:00
},
},
});
2026-01-14 01:08:15 +00:00
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "agent:main:subagent:abc",
idempotencyKey: "idem-agent-subkey",
});
expect(res.ok).toBe(true);
const call = latestAgentCall();
2026-01-14 01:08:15 +00:00
expect(call.sessionKey).toBe("agent:main:subagent:abc");
expect(call.sessionId).toBe("sess-sub");
expectChannels(call, "webchat");
expect(call.deliver).toBe(false);
expect(call.to).toBeUndefined();
});
Agents: add nested subagent orchestration controls and reduce subagent token waste (#14447) * Agents: add subagent orchestration controls * Agents: add subagent orchestration controls (WIP uncommitted changes) * feat(subagents): add depth-based spawn gating for sub-sub-agents * feat(subagents): tool policy, registry, and announce chain for nested agents * feat(subagents): system prompt, docs, changelog for nested sub-agents * fix(subagents): prevent model fallback override, show model during active runs, and block context overflow fallback Bug 1: When a session has an explicit model override (e.g., gpt/openai-codex), the fallback candidate logic in resolveFallbackCandidates silently appended the global primary model (opus) as a backstop. On reinjection/steer with a transient error, the session could fall back to opus which has a smaller context window and crash. Fix: when storedModelOverride is set, pass fallbacksOverride ?? [] instead of undefined, preventing the implicit primary backstop. Bug 2: Active subagents showed 'model n/a' in /subagents list because resolveModelDisplay only read entry.model/modelProvider (populated after run completes). Fix: fall back to modelOverride/providerOverride fields which are populated at spawn time via sessions.patch. Bug 3: Context overflow errors (prompt too long, context_length_exceeded) could theoretically escape runEmbeddedPiAgent and be treated as failover candidates in runWithModelFallback, causing a switch to a model with a smaller context window. Fix: in runWithModelFallback, detect context overflow errors via isLikelyContextOverflowError and rethrow them immediately instead of trying the next model candidate. * fix(subagents): track spawn depth in session store and fix announce routing for nested agents * Fix compaction status tracking and dedupe overflow compaction triggers * fix(subagents): enforce depth block via session store and implement cascade kill * fix: inject group chat context into system prompt * fix(subagents): always write model to session store at spawn time * Preserve spawnDepth when agent handler rewrites session entry * fix(subagents): suppress announce on steer-restart * fix(subagents): fallback spawned session model to runtime default * fix(subagents): enforce spawn depth when caller key resolves by sessionId * feat(subagents): implement active-first ordering for numeric targets and enhance task display - Added a test to verify that subagents with numeric targets follow an active-first list ordering. - Updated `resolveSubagentTarget` to sort subagent runs based on active status and recent activity. - Enhanced task display in command responses to prevent truncation of long task descriptions. - Introduced new utility functions for compacting task text and managing subagent run states. * fix(subagents): show model for active runs via run record fallback When the spawned model matches the agent's default model, the session store's override fields are intentionally cleared (isDefault: true). The model/modelProvider fields are only populated after the run completes. This left active subagents showing 'model n/a'. Fix: store the resolved model on SubagentRunRecord at registration time, and use it as a fallback in both display paths (subagents tool and /subagents command) when the session store entry has no model info. Changes: - SubagentRunRecord: add optional model field - registerSubagentRun: accept and persist model param - sessions-spawn-tool: pass resolvedModel to registerSubagentRun - subagents-tool: pass run record model as fallback to resolveModelDisplay - commands-subagents: pass run record model as fallback to resolveModelDisplay * feat(chat): implement session key resolution and reset on sidebar navigation - Added functions to resolve the main session key and reset chat state when switching sessions from the sidebar. - Updated the `renderTab` function to handle session key changes when navigating to the chat tab. - Introduced a test to verify that the session resets to "main" when opening chat from the sidebar navigation. * fix: subagent timeout=0 passthrough and fallback prompt duplication Bug 1: runTimeoutSeconds=0 now means 'no timeout' instead of applying 600s default - sessions-spawn-tool: default to undefined (not 0) when neither timeout param is provided; use != null check so explicit 0 passes through to gateway - agent.ts: accept 0 as valid timeout (resolveAgentTimeoutMs already handles 0 → MAX_SAFE_TIMEOUT_MS) Bug 2: model fallback no longer re-injects the original prompt as a duplicate - agent.ts: track fallback attempt index; on retries use a short continuation message instead of the full original prompt since the session file already contains it from the first attempt - Also skip re-sending images on fallback retries (already in session) * feat(subagents): truncate long task descriptions in subagents command output - Introduced a new utility function to format task previews, limiting their length to improve readability. - Updated the command handler to use the new formatting function, ensuring task descriptions are truncated appropriately. - Adjusted related tests to verify that long task descriptions are now truncated in the output. * refactor(subagents): update subagent registry path resolution and improve command output formatting - Replaced direct import of STATE_DIR with a utility function to resolve the state directory dynamically. - Enhanced the formatting of command output for active and recent subagents, adding separators for better readability. - Updated related tests to reflect changes in command output structure. * fix(subagent): default sessions_spawn to no timeout when runTimeoutSeconds omitted The previous fix (75a791106) correctly handled the case where runTimeoutSeconds was explicitly set to 0 ("no timeout"). However, when models omit the parameter entirely (which is common since the schema marks it as optional), runTimeoutSeconds resolved to undefined. undefined flowed through the chain as: sessions_spawn → timeout: undefined (since undefined != null is false) → gateway agent handler → agentCommand opts.timeout: undefined → resolveAgentTimeoutMs({ overrideSeconds: undefined }) → DEFAULT_AGENT_TIMEOUT_SECONDS (600s = 10 minutes) This caused subagents to be killed at exactly 10 minutes even though the user's intent (via TOOLS.md) was for subagents to run without a timeout. Fix: default runTimeoutSeconds to 0 (no timeout) when neither runTimeoutSeconds nor timeoutSeconds is provided by the caller. Subagent spawns are long-running by design and should not inherit the 600s agent-command default timeout. * fix(subagent): accept timeout=0 in agent-via-gateway path (second 600s default) * fix: thread timeout override through getReplyFromConfig dispatch path getReplyFromConfig called resolveAgentTimeoutMs({ cfg }) with no override, always falling back to the config default (600s). Add timeoutOverrideSeconds to GetReplyOptions and pass it through as overrideSeconds so callers of the dispatch chain can specify a custom timeout (0 = no timeout). This complements the existing timeout threading in agentCommand and the cron isolated-agent runner, which already pass overrideSeconds correctly. * feat(model-fallback): normalize OpenAI Codex model references and enhance fallback handling - Added normalization for OpenAI Codex model references, specifically converting "gpt-5.3-codex" to "openai-codex" before execution. - Updated the `resolveFallbackCandidates` function to utilize the new normalization logic. - Enhanced tests to verify the correct behavior of model normalization and fallback mechanisms. - Introduced a new test case to ensure that the normalization process works as expected for various input formats. * feat(tests): add unit tests for steer failure behavior in openclaw-tools - Introduced a new test file to validate the behavior of subagents when steer replacement dispatch fails. - Implemented tests to ensure that the announce behavior is restored correctly and that the suppression reason is cleared as expected. - Enhanced the subagent registry with a new function to clear steer restart suppression. - Updated related components to support the new test scenarios. * fix(subagents): replace stop command with kill in slash commands and documentation - Updated the `/subagents` command to replace `stop` with `kill` for consistency in controlling sub-agent runs. - Modified related documentation to reflect the change in command usage. - Removed legacy timeoutSeconds references from the sessions-spawn-tool schema and tests to streamline timeout handling. - Enhanced tests to ensure correct behavior of the updated commands and their interactions. * feat(tests): add unit tests for readLatestAssistantReply function - Introduced a new test file for the `readLatestAssistantReply` function to validate its behavior with various message scenarios. - Implemented tests to ensure the function correctly retrieves the latest assistant message and handles cases where the latest message has no text. - Mocked the gateway call to simulate different message histories for comprehensive testing. * feat(tests): enhance subagent kill-all cascade tests and announce formatting - Added a new test to verify that the `kill-all` command cascades through ended parents to active descendants in subagents. - Updated the subagent announce formatting tests to reflect changes in message structure, including the replacement of "Findings:" with "Result:" and the addition of new expectations for message content. - Improved the handling of long findings and stats in the announce formatting logic to ensure concise output. - Refactored related functions to enhance clarity and maintainability in the subagent registry and tools. * refactor(subagent): update announce formatting and remove unused constants - Modified the subagent announce formatting to replace "Findings:" with "Result:" and adjusted related expectations in tests. - Removed constants for maximum announce findings characters and summary words, simplifying the announcement logic. - Updated the handling of findings to retain full content instead of truncating, ensuring more informative outputs. - Cleaned up unused imports in the commands-subagents file to enhance code clarity. * feat(tests): enhance billing error handling in user-facing text - Added tests to ensure that normal text mentioning billing plans is not rewritten, preserving user context. - Updated the `isBillingErrorMessage` and `sanitizeUserFacingText` functions to improve handling of billing-related messages. - Introduced new test cases for various scenarios involving billing messages to ensure accurate processing and output. - Enhanced the subagent announce flow to correctly manage active descendant runs, preventing premature announcements. * feat(subagent): enhance workflow guidance and auto-announcement clarity - Added a new guideline in the subagent system prompt to emphasize trust in push-based completion, discouraging busy polling for status updates. - Updated documentation to clarify that sub-agents will automatically announce their results, improving user understanding of the workflow. - Enhanced tests to verify the new guidance on avoiding polling loops and to ensure the accuracy of the updated prompts. * fix(cron): avoid announcing interim subagent spawn acks * chore: clean post-rebase imports * fix(cron): fall back to child replies when parent stays interim * fix(subagents): make active-run guidance advisory * fix(subagents): update announce flow to handle active descendants and enhance test coverage - Modified the announce flow to defer announcements when active descendant runs are present, ensuring accurate status reporting. - Updated tests to verify the new behavior, including scenarios where no fallback requester is available and ensuring proper handling of finished subagents. - Enhanced the announce formatting to include an `expectFinal` flag for better clarity in the announcement process. * fix(subagents): enhance announce flow and formatting for user updates - Updated the announce flow to provide clearer instructions for user updates based on active subagent runs and requester context. - Refactored the announcement logic to improve clarity and ensure internal context remains private. - Enhanced tests to verify the new message expectations and formatting, including updated prompts for user-facing updates. - Introduced a new function to build reply instructions based on session context, improving the overall announcement process. * fix: resolve prep blockers and changelog placement (#14447) (thanks @tyler6204) * fix: restore cron delivery-plan import after rebase (#14447) (thanks @tyler6204) * fix: resolve test failures from rebase conflicts (#14447) (thanks @tyler6204) * fix: apply formatting after rebase (#14447) (thanks @tyler6204)
2026-02-14 22:03:45 -08:00
test("agent preserves spawnDepth on subagent sessions", async () => {
setRegistry(defaultRegistry);
const dir = await fs.mkdtemp(path.join(os.tmpdir(), "openclaw-gw-"));
const storePath = path.join(dir, "sessions.json");
testState.sessionStorePath = storePath;
await writeSessionStore({
entries: {
"agent:main:subagent:depth": {
sessionId: "sess-sub-depth",
updatedAt: Date.now(),
spawnedBy: "agent:main:main",
spawnDepth: 2,
},
},
});
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "agent:main:subagent:depth",
idempotencyKey: "idem-agent-subdepth",
});
expect(res.ok).toBe(true);
const raw = await fs.readFile(storePath, "utf-8");
const persisted = JSON.parse(raw) as Record<
string,
{ spawnDepth?: number; spawnedBy?: string }
>;
expect(persisted["agent:main:subagent:depth"]?.spawnDepth).toBe(2);
expect(persisted["agent:main:subagent:depth"]?.spawnedBy).toBe("agent:main:main");
});
test("agent derives sessionKey from agentId", async () => {
setRegistry(defaultRegistry);
await setTestSessionStore({
agentId: "ops",
entries: {
main: {
sessionId: "sess-ops",
updatedAt: Date.now(),
},
},
});
testState.agentsConfig = { list: [{ id: "ops" }] };
const res = await rpcReq(ws, "agent", {
message: "hi",
agentId: "ops",
idempotencyKey: "idem-agent-id",
});
expect(res.ok).toBe(true);
const call = latestAgentCall();
expect(call.sessionKey).toBe("agent:ops:main");
expect(call.sessionId).toBe("sess-ops");
});
test("agent rejects unknown reply channel", async () => {
setRegistry(defaultRegistry);
const res = await rpcReq(ws, "agent", {
message: "hi",
replyChannel: "unknown-channel",
idempotencyKey: "idem-agent-reply-unknown",
});
expect(res.ok).toBe(false);
expect(res.error?.message).toContain("unknown channel");
const spy = vi.mocked(agentCommand);
expect(spy).not.toHaveBeenCalled();
});
test("agent rejects mismatched agentId and sessionKey", async () => {
setRegistry(defaultRegistry);
testState.agentsConfig = { list: [{ id: "ops" }] };
const res = await rpcReq(ws, "agent", {
message: "hi",
agentId: "ops",
sessionKey: "agent:main:main",
idempotencyKey: "idem-agent-mismatch",
});
expect(res.ok).toBe(false);
expect(res.error?.message).toContain("does not match session key agent");
const spy = vi.mocked(agentCommand);
expect(spy).not.toHaveBeenCalled();
});
test("agent rejects malformed agent-prefixed session keys", async () => {
setRegistry(defaultRegistry);
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "agent:main",
idempotencyKey: "idem-agent-malformed-key",
});
expect(res.ok).toBe(false);
expect(res.error?.message).toContain("malformed session key");
const spy = vi.mocked(agentCommand);
expect(spy).not.toHaveBeenCalled();
});
test("agent forwards accountId to agentCommand", async () => {
const call = await runMainAgentDeliveryWithSession({
entry: {
sessionId: "sess-main-account",
lastChannel: "whatsapp",
lastTo: "+1555",
lastAccountId: "default",
},
request: {
accountId: "kev",
idempotencyKey: "idem-agent-account",
},
});
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1555");
expect(call.accountId).toBe("kev");
const runContext = call.runContext as { accountId?: string } | undefined;
expect(runContext?.accountId).toBe("kev");
});
test("agent avoids lastAccountId when explicit to is provided", async () => {
const call = await runMainAgentDeliveryWithSession({
entry: {
sessionId: "sess-main-explicit",
lastChannel: "whatsapp",
lastTo: "+1555",
lastAccountId: "legacy",
},
request: {
to: "+1666",
idempotencyKey: "idem-agent-explicit",
},
});
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1666");
expect(call.accountId).toBeUndefined();
});
test("agent keeps explicit accountId when explicit to is provided", async () => {
const call = await runMainAgentDeliveryWithSession({
entry: {
sessionId: "sess-main-explicit-account",
lastChannel: "whatsapp",
lastTo: "+1555",
lastAccountId: "legacy",
},
request: {
to: "+1666",
accountId: "primary",
idempotencyKey: "idem-agent-explicit-account",
},
});
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1666");
expect(call.accountId).toBe("primary");
});
test("agent falls back to lastAccountId for implicit delivery", async () => {
const call = await runMainAgentDeliveryWithSession({
entry: {
sessionId: "sess-main-implicit",
lastChannel: "whatsapp",
lastTo: "+1555",
lastAccountId: "kev",
},
request: {
idempotencyKey: "idem-agent-implicit-account",
},
});
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1555");
expect(call.accountId).toBe("kev");
});
2026-01-14 01:08:15 +00:00
test("agent forwards image attachments as images[]", async () => {
setRegistry(defaultRegistry);
await setTestSessionStore({
entries: {
main: {
sessionId: "sess-main-images",
updatedAt: Date.now(),
2026-01-14 01:08:15 +00:00
},
},
});
2026-01-14 01:08:15 +00:00
const res = await rpcReq(ws, "agent", {
message: "what is in the image?",
sessionKey: "main",
attachments: [
{
mimeType: "image/png",
fileName: "tiny.png",
content: BASE_IMAGE_PNG,
},
],
idempotencyKey: "idem-agent-attachments",
});
expect(res.ok).toBe(true);
const call = latestAgentCall();
2026-02-14 20:54:31 +01:00
expect(call.sessionKey).toBe("agent:main:main");
2026-01-14 01:08:15 +00:00
expectChannels(call, "webchat");
expect(typeof call.message).toBe("string");
expect(call.message).toContain("what is in the image?");
2026-01-14 01:08:15 +00:00
const images = call.images as Array<Record<string, unknown>>;
expect(Array.isArray(images)).toBe(true);
expect(images.length).toBe(1);
expect(images[0]?.type).toBe("image");
expect(images[0]?.mimeType).toBe("image/png");
expect(images[0]?.data).toBe(BASE_IMAGE_PNG);
});
test("agent falls back to whatsapp when delivery requested and no last channel exists", async () => {
const call = await runMainAgentDeliveryWithSession({
entry: {
sessionId: "sess-main-missing-provider",
},
request: {
idempotencyKey: "idem-agent-missing-provider",
},
});
2026-01-14 01:08:15 +00:00
expectChannels(call, "whatsapp");
expect(call.to).toBe("+1555");
expect(call.deliver).toBe(true);
expect(call.sessionId).toBe("sess-main-missing-provider");
});
test.each([
{
name: "whatsapp",
sessionId: "sess-main-whatsapp",
lastChannel: "whatsapp",
lastTo: "+1555",
2026-01-14 01:08:15 +00:00
idempotencyKey: "idem-agent-last-whatsapp",
},
{
name: "telegram",
sessionId: "sess-main",
lastChannel: "telegram",
lastTo: "123",
2026-01-14 01:08:15 +00:00
idempotencyKey: "idem-agent-last",
},
{
name: "discord",
sessionId: "sess-discord",
lastChannel: "discord",
lastTo: "channel:discord-123",
2026-01-14 01:08:15 +00:00
idempotencyKey: "idem-agent-last-discord",
},
{
name: "slack",
sessionId: "sess-slack",
lastChannel: "slack",
lastTo: "channel:slack-123",
2026-01-14 01:08:15 +00:00
idempotencyKey: "idem-agent-last-slack",
},
{
name: "signal",
sessionId: "sess-signal",
lastChannel: "signal",
lastTo: "+15551234567",
idempotencyKey: "idem-agent-last-signal",
},
])("agent routes main last-channel $name", async (tc) => {
setRegistry(defaultRegistry);
await setTestSessionStore({
entries: {
main: {
sessionId: tc.sessionId,
updatedAt: Date.now(),
lastChannel: tc.lastChannel,
lastTo: tc.lastTo,
2026-01-14 01:08:15 +00:00
},
},
});
2026-01-14 01:08:15 +00:00
const res = await rpcReq(ws, "agent", {
message: "hi",
sessionKey: "main",
channel: "last",
deliver: true,
idempotencyKey: tc.idempotencyKey,
2026-01-14 01:08:15 +00:00
});
expect(res.ok).toBe(true);
const call = latestAgentCall();
expectChannels(call, tc.lastChannel);
expect(call.to).toBe(tc.lastTo);
2026-01-14 01:08:15 +00:00
expect(call.deliver).toBe(true);
expect(call.bestEffortDeliver).toBe(true);
expect(call.sessionId).toBe(tc.sessionId);
2026-01-14 01:08:15 +00:00
});
});