Files
openclaw/extensions/msteams/src/streaming-message.test.ts
Sid Uppal cd90130877 msteams: implement Teams AI agent UX best practices (#51808)
Migrates the Teams extension from @microsoft/agents-hosting to the official Teams SDK (@microsoft/teams.apps + @microsoft/teams.api) and implements Microsoft's AI UX best practices for Teams agents.

- AI-generated label on all bot messages (Teams native badge + thumbs up/down)
- Streaming responses in 1:1 chats via Teams streaminfo protocol
- Welcome card with configurable prompt starters on bot install
- Feedback with reflective learning (negative feedback triggers background reflection)
- Typing indicators for personal + group chats (disabled for channels)
- Informative status updates (progress bar while LLM processes)
- JWT validation via Teams SDK createServiceTokenValidator
- User-Agent: teams.ts[apps]/<sdk-version> OpenClaw/<version> on outbound requests
- Fix copy-pasted image downloads (smba.trafficmanager.net auth allowlist)
- Pre-parse auth gate (reject unauthenticated requests before body parsing)
- Reflection dispatcher lifecycle fix (prevent leaked dispatchers)
- Colon-safe session filenames (Windows compatibility)
- Cooldown cache eviction (prevent unbounded memory growth)

Closes #51806
2026-03-23 22:03:39 -07:00

207 lines
6.8 KiB
TypeScript

import { describe, expect, it, vi } from "vitest";
import { TeamsHttpStream } from "./streaming-message.js";
describe("TeamsHttpStream", () => {
it("sends first chunk as typing activity with streaminfo", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "stream-1" };
}),
});
// Enough text to pass MIN_INITIAL_CHARS threshold
stream.update("Hello, this is a test response that is long enough.");
// Wait for throttle to flush
await new Promise((r) => setTimeout(r, 700));
expect(sent.length).toBeGreaterThanOrEqual(1);
const firstActivity = sent[0] as Record<string, unknown>;
expect(firstActivity.type).toBe("typing");
expect(typeof firstActivity.text).toBe("string");
expect(firstActivity.text as string).toContain("Hello");
// Should have streaminfo entity
const entities = firstActivity.entities as Array<Record<string, unknown>>;
expect(entities).toEqual(
expect.arrayContaining([
expect.objectContaining({ type: "streaminfo", streamType: "streaming" }),
]),
);
});
it("sends final message activity on finalize", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "stream-1" };
}),
});
stream.update("Hello, this is a complete response for finalization testing.");
await new Promise((r) => setTimeout(r, 700));
await stream.finalize();
// Find the final message activity
const finalActivity = sent.find((a) => (a as Record<string, unknown>).type === "message") as
| Record<string, unknown>
| undefined;
expect(finalActivity).toBeDefined();
expect(finalActivity!.text).toBe(
"Hello, this is a complete response for finalization testing.",
);
// No cursor in final
expect(finalActivity!.text as string).not.toContain("\u258D");
// Should have AI-generated entity
const entities = finalActivity!.entities as Array<Record<string, unknown>>;
expect(entities).toEqual(
expect.arrayContaining([expect.objectContaining({ additionalType: ["AIGeneratedContent"] })]),
);
// Should have streaminfo with final type
expect(entities).toEqual(
expect.arrayContaining([
expect.objectContaining({ type: "streaminfo", streamType: "final" }),
]),
);
});
it("does not send below MIN_INITIAL_CHARS", async () => {
const sendActivity = vi.fn(async () => ({ id: "x" }));
const stream = new TeamsHttpStream({ sendActivity });
stream.update("Hi");
await new Promise((r) => setTimeout(r, 700));
expect(sendActivity).not.toHaveBeenCalled();
});
it("finalize with no content does nothing", async () => {
const sendActivity = vi.fn(async () => ({ id: "x" }));
const stream = new TeamsHttpStream({ sendActivity });
await stream.finalize();
expect(sendActivity).not.toHaveBeenCalled();
});
it("finalize sends content even if no chunks were streamed", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "msg-1" };
}),
});
// Short text — below MIN_INITIAL_CHARS, so no streaming chunk sent
stream.update("Short");
await stream.finalize();
// Should send final message even though no chunks were streamed
expect(sent.length).toBe(1);
const activity = sent[0] as Record<string, unknown>;
expect(activity.type).toBe("message");
expect(activity.text).toBe("Short");
});
it("sets feedbackLoopEnabled on final message", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "stream-1" };
}),
feedbackLoopEnabled: true,
});
stream.update("A response long enough to pass the minimum character threshold for streaming.");
await new Promise((r) => setTimeout(r, 700));
await stream.finalize();
const finalActivity = sent.find(
(a) => (a as Record<string, unknown>).type === "message",
) as Record<string, unknown>;
const channelData = finalActivity.channelData as Record<string, unknown>;
expect(channelData.feedbackLoopEnabled).toBe(true);
});
it("sends informative update with streamType informative", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "stream-1" };
}),
});
await stream.sendInformativeUpdate("Thinking...");
expect(sent.length).toBe(1);
const activity = sent[0] as Record<string, unknown>;
expect(activity.type).toBe("typing");
expect(activity.text).toBe("Thinking...");
const entities = activity.entities as Array<Record<string, unknown>>;
expect(entities).toEqual(
expect.arrayContaining([
expect.objectContaining({
type: "streaminfo",
streamType: "informative",
streamSequence: 1,
}),
]),
);
});
it("informative update establishes streamId for subsequent chunks", async () => {
const sent: unknown[] = [];
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async (activity) => {
sent.push(activity);
return { id: "stream-1" };
}),
});
await stream.sendInformativeUpdate("Working...");
stream.update("Hello, this is a long enough response for streaming to begin.");
await new Promise((r) => setTimeout(r, 1600));
// Second activity (streaming chunk) should have the streamId from the informative update
expect(sent.length).toBeGreaterThanOrEqual(2);
const chunk = sent[1] as Record<string, unknown>;
const entities = chunk.entities as Array<Record<string, unknown>>;
expect(entities).toEqual(
expect.arrayContaining([
expect.objectContaining({ type: "streaminfo", streamId: "stream-1" }),
]),
);
});
it("hasContent is true after update", () => {
const stream = new TeamsHttpStream({
sendActivity: vi.fn(async () => ({ id: "x" })),
});
expect(stream.hasContent).toBe(false);
stream.update("some text");
expect(stream.hasContent).toBe(true);
});
it("double finalize is a no-op", async () => {
const sendActivity = vi.fn(async () => ({ id: "x" }));
const stream = new TeamsHttpStream({ sendActivity });
stream.update("A response long enough to pass the minimum character threshold.");
await stream.finalize();
const callCount = sendActivity.mock.calls.length;
await stream.finalize();
expect(sendActivity.mock.calls.length).toBe(callCount);
});
});