@copilotkit/react-core 1.55.1 → 1.55.2-next.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@copilotkit/react-core",
3
- "version": "1.55.1",
3
+ "version": "1.55.2-next.0",
4
4
  "private": false,
5
5
  "keywords": [
6
6
  "ai",
@@ -73,11 +73,11 @@
73
73
  "untruncate-json": "^0.0.1",
74
74
  "use-stick-to-bottom": "^1.1.1",
75
75
  "zod-to-json-schema": "^3.24.5",
76
- "@copilotkit/core": "1.55.1",
77
- "@copilotkit/a2ui-renderer": "1.55.1",
78
- "@copilotkit/runtime-client-gql": "1.55.1",
79
- "@copilotkit/shared": "1.55.1",
80
- "@copilotkit/web-inspector": "1.55.1"
76
+ "@copilotkit/a2ui-renderer": "1.55.2-next.0",
77
+ "@copilotkit/core": "1.55.2-next.0",
78
+ "@copilotkit/runtime-client-gql": "1.55.2-next.0",
79
+ "@copilotkit/shared": "1.55.2-next.0",
80
+ "@copilotkit/web-inspector": "1.55.2-next.0"
81
81
  },
82
82
  "devDependencies": {
83
83
  "@tailwindcss/cli": "^4.1.11",
@@ -3,6 +3,7 @@
3
3
  import React, { useEffect, useRef, useState, useCallback } from "react";
4
4
  import { z } from "zod";
5
5
  import type { AbstractAgent, RunAgentResult } from "@ag-ui/client";
6
+ import { useCopilotKit } from "../providers/CopilotKitProvider";
6
7
 
7
8
  // Protocol version supported
8
9
  const PROTOCOL_VERSION = "2025-06-18";
@@ -252,6 +253,7 @@ interface MCPAppsActivityRendererProps {
252
253
  */
253
254
  export const MCPAppsActivityRenderer: React.FC<MCPAppsActivityRendererProps> =
254
255
  function MCPAppsActivityRenderer({ content, agent }) {
256
+ const { copilotkit } = useCopilotKit();
255
257
  const containerRef = useRef<HTMLDivElement>(null);
256
258
  const iframeRef = useRef<HTMLIFrameElement | null>(null);
257
259
  const [iframeReady, setIframeReady] = useState(false);
@@ -522,7 +524,7 @@ export const MCPAppsActivityRenderer: React.FC<MCPAppsActivityRendererProps> =
522
524
  }
523
525
 
524
526
  case "ui/message": {
525
- // Add message to CopilotKit chat
527
+ // Add message to CopilotKit chat and optionally invoke agent
526
528
  const currentAgent = agentRef.current;
527
529
 
528
530
  if (!currentAgent) {
@@ -537,8 +539,12 @@ export const MCPAppsActivityRenderer: React.FC<MCPAppsActivityRendererProps> =
537
539
  const params = msg.params as {
538
540
  role?: string;
539
541
  content?: Array<{ type: string; text?: string }>;
542
+ followUp?: boolean;
540
543
  };
541
544
 
545
+ const role =
546
+ (params.role as "user" | "assistant") || "user";
547
+
542
548
  // Extract text content from the message
543
549
  const textContent =
544
550
  params.content
@@ -549,11 +555,35 @@ export const MCPAppsActivityRenderer: React.FC<MCPAppsActivityRendererProps> =
549
555
  if (textContent) {
550
556
  currentAgent.addMessage({
551
557
  id: crypto.randomUUID(),
552
- role: (params.role as "user" | "assistant") || "user",
558
+ role,
553
559
  content: textContent,
554
560
  });
555
561
  }
562
+
563
+ // Acknowledge the message immediately — don't block on agent run
556
564
  sendResponse(msg.id, { isError: false });
565
+
566
+ // Determine whether to invoke the agent after adding message.
567
+ // followUp: true → always invoke agent
568
+ // followUp: false → display-only, skip agent
569
+ // not specified → invoke for user messages, skip for assistant
570
+ const shouldFollowUp = params.followUp ?? role === "user";
571
+
572
+ if (shouldFollowUp && textContent) {
573
+ // Use copilotkit.runAgent to go through RunHandler — provides
574
+ // frontend tools, context, tool execution, and abort support.
575
+ // Fire-and-forget: errors are handled by RunHandler's error emission.
576
+ mcpAppsRequestQueue
577
+ .enqueue(currentAgent, () =>
578
+ copilotkit.runAgent({ agent: currentAgent }),
579
+ )
580
+ .catch((err) =>
581
+ console.error(
582
+ "[MCPAppsRenderer] ui/message agent run failed:",
583
+ err,
584
+ ),
585
+ );
586
+ }
557
587
  } catch (err) {
558
588
  console.error("[MCPAppsRenderer] ui/message error:", err);
559
589
  sendResponse(msg.id, { isError: true });
@@ -0,0 +1,589 @@
1
+ /**
2
+ * Tests for MCP Apps tool and resource proxying through the
3
+ * iframe → agent → MCPMock chain.
4
+ *
5
+ * Covers:
6
+ * 1. tools/call proxy round-trip (iframe sends tools/call, agent proxies, response returns)
7
+ * 2. tools/call error handling (agent throws, iframe receives JSON-RPC error)
8
+ * 3. ui/open-link handler (iframe sends url, window.open is called)
9
+ * 4. Multiple independent MCP activities render without interference
10
+ */
11
+ import { fireEvent, screen, waitFor, act } from "@testing-library/react";
12
+ import { vi } from "vitest";
13
+ import {
14
+ activitySnapshotEvent,
15
+ renderWithCopilotKit,
16
+ runFinishedEvent,
17
+ runStartedEvent,
18
+ testId,
19
+ } from "../../../__tests__/utils/test-helpers";
20
+ import { MCPAppsActivityType } from "../../../components/MCPAppsActivityRenderer";
21
+ import {
22
+ AbstractAgent,
23
+ RunAgentInput,
24
+ RunAgentResult,
25
+ BaseEvent,
26
+ EventType,
27
+ } from "@ag-ui/client";
28
+ import { Observable, Subject } from "rxjs";
29
+
30
+ // ---------------------------------------------------------------------------
31
+ // MockMCPProxyAgent — same shape as the one in MCPAppsUiMessage tests but
32
+ // trimmed to only what these proxy tests need.
33
+ // ---------------------------------------------------------------------------
34
+ class MockMCPProxyAgent extends AbstractAgent {
35
+ private subject = new Subject<BaseEvent>();
36
+ public runAgentCalls: Array<{ input: Partial<RunAgentInput> }> = [];
37
+
38
+ private runAgentResponses: Map<string, unknown> = new Map();
39
+
40
+ setRunAgentResponse(method: string, response: unknown) {
41
+ this.runAgentResponses.set(method, response);
42
+ }
43
+
44
+ emit(event: BaseEvent) {
45
+ if (event.type === EventType.RUN_STARTED) {
46
+ this.isRunning = true;
47
+ } else if (
48
+ event.type === EventType.RUN_FINISHED ||
49
+ event.type === EventType.RUN_ERROR
50
+ ) {
51
+ this.isRunning = false;
52
+ }
53
+ act(() => {
54
+ this.subject.next(event);
55
+ });
56
+ }
57
+
58
+ complete() {
59
+ this.isRunning = false;
60
+ act(() => {
61
+ this.subject.complete();
62
+ });
63
+ }
64
+
65
+ clone(): MockMCPProxyAgent {
66
+ const cloned = new MockMCPProxyAgent();
67
+ cloned.agentId = this.agentId;
68
+ type Internal = {
69
+ subject: Subject<BaseEvent>;
70
+ runAgentCalls: Array<{ input: Partial<RunAgentInput> }>;
71
+ runAgentResponses: Map<string, unknown>;
72
+ };
73
+ (cloned as unknown as Internal).subject = (
74
+ this as unknown as Internal
75
+ ).subject;
76
+ (cloned as unknown as Internal).runAgentCalls = (
77
+ this as unknown as Internal
78
+ ).runAgentCalls;
79
+ (cloned as unknown as Internal).runAgentResponses = (
80
+ this as unknown as Internal
81
+ ).runAgentResponses;
82
+
83
+ const registry = this;
84
+ Object.defineProperty(cloned, "isRunning", {
85
+ get() {
86
+ return registry.isRunning;
87
+ },
88
+ set(v: boolean) {
89
+ registry.isRunning = v;
90
+ },
91
+ configurable: true,
92
+ enumerable: true,
93
+ });
94
+
95
+ const proto = MockMCPProxyAgent.prototype;
96
+ cloned.runAgent = async function (
97
+ input?: Partial<RunAgentInput>,
98
+ ): Promise<RunAgentResult> {
99
+ const proxiedRequest = input?.forwardedProps?.__proxiedMCPRequest;
100
+ if (proxiedRequest) {
101
+ return registry.runAgent(input);
102
+ }
103
+ return proto.runAgent.call(cloned, input);
104
+ };
105
+
106
+ return cloned;
107
+ }
108
+
109
+ async detachActiveRun(): Promise<void> {}
110
+
111
+ run(_input: RunAgentInput): Observable<BaseEvent> {
112
+ return this.subject.asObservable();
113
+ }
114
+
115
+ async runAgent(input?: Partial<RunAgentInput>): Promise<RunAgentResult> {
116
+ const proxiedRequest = input?.forwardedProps?.__proxiedMCPRequest as
117
+ | {
118
+ serverHash?: string;
119
+ serverId?: string;
120
+ method: string;
121
+ params?: Record<string, unknown>;
122
+ }
123
+ | undefined;
124
+
125
+ if (proxiedRequest) {
126
+ if (input) {
127
+ this.runAgentCalls.push({ input });
128
+ }
129
+ const method = proxiedRequest.method;
130
+ const response = this.runAgentResponses.get(method);
131
+ if (response !== undefined) {
132
+ return { result: response, newMessages: [] };
133
+ }
134
+ if (method === "resources/read") {
135
+ return {
136
+ result: {
137
+ contents: [
138
+ {
139
+ uri: proxiedRequest.params?.uri,
140
+ mimeType: "text/html",
141
+ text: "<html><body>Test content</body></html>",
142
+ },
143
+ ],
144
+ },
145
+ newMessages: [],
146
+ };
147
+ }
148
+ if (method === "tools/call") {
149
+ return {
150
+ result: {
151
+ content: [{ type: "text", text: "Tool call result" }],
152
+ isError: false,
153
+ },
154
+ newMessages: [],
155
+ };
156
+ }
157
+ return { result: {}, newMessages: [] };
158
+ }
159
+
160
+ return super.runAgent(input);
161
+ }
162
+ }
163
+
164
+ // ---------------------------------------------------------------------------
165
+ // Helpers
166
+ // ---------------------------------------------------------------------------
167
+
168
+ function mcpAppsActivityContent(overrides: {
169
+ resourceUri?: string;
170
+ serverHash?: string;
171
+ }) {
172
+ return {
173
+ resourceUri: overrides.resourceUri ?? "ui://test-server/test-resource",
174
+ serverHash: overrides.serverHash ?? "abc123hash",
175
+ toolInput: {},
176
+ result: {
177
+ content: [{ type: "text", text: "Tool output" }],
178
+ isError: false,
179
+ },
180
+ };
181
+ }
182
+
183
+ /**
184
+ * Render CopilotKit, send a user message, emit an MCP activity snapshot,
185
+ * wait for the iframe to appear, then simulate sandbox-proxy-ready so
186
+ * the component's message handler is installed and ready to receive
187
+ * JSON-RPC requests from the iframe.
188
+ */
189
+ async function setupMCPActivity(
190
+ agent: MockMCPProxyAgent,
191
+ agentId: string,
192
+ userMessage: string,
193
+ ): Promise<HTMLIFrameElement> {
194
+ agent.setRunAgentResponse("resources/read", {
195
+ contents: [
196
+ {
197
+ uri: "ui://test/app",
198
+ mimeType: "text/html",
199
+ text: "<html><body>App</body></html>",
200
+ },
201
+ ],
202
+ });
203
+
204
+ const threadId = testId("thread");
205
+
206
+ renderWithCopilotKit({
207
+ agents: { [agentId]: agent },
208
+ agentId,
209
+ threadId,
210
+ });
211
+
212
+ const input = await screen.findByRole("textbox");
213
+ fireEvent.change(input, { target: { value: userMessage } });
214
+ fireEvent.keyDown(input, { key: "Enter", code: "Enter" });
215
+
216
+ await waitFor(() => {
217
+ expect(screen.getByText(userMessage)).toBeDefined();
218
+ });
219
+
220
+ agent.emit(runStartedEvent());
221
+ agent.emit(
222
+ activitySnapshotEvent({
223
+ messageId: testId("mcp-activity"),
224
+ activityType: MCPAppsActivityType,
225
+ content: mcpAppsActivityContent({
226
+ resourceUri: "ui://test/app",
227
+ serverHash: "test-hash",
228
+ }),
229
+ }),
230
+ );
231
+ agent.emit(runFinishedEvent());
232
+
233
+ // Wait for iframe to be created
234
+ let iframe: HTMLIFrameElement | null = null;
235
+ await waitFor(
236
+ () => {
237
+ iframe = document.querySelector("iframe[srcdoc]");
238
+ expect(iframe).not.toBeNull();
239
+ },
240
+ { timeout: 3000 },
241
+ );
242
+
243
+ // Simulate sandbox-proxy-ready notification from the iframe
244
+ const readyEvent = new MessageEvent("message", {
245
+ data: {
246
+ jsonrpc: "2.0",
247
+ method: "ui/notifications/sandbox-proxy-ready",
248
+ },
249
+ source: iframe!.contentWindow,
250
+ origin: "",
251
+ });
252
+
253
+ await act(async () => {
254
+ window.dispatchEvent(readyEvent);
255
+ await new Promise((resolve) => setTimeout(resolve, 100));
256
+ });
257
+
258
+ return iframe!;
259
+ }
260
+
261
+ /**
262
+ * Send a JSON-RPC request to the component as if it came from the iframe.
263
+ */
264
+ function sendJsonRpc(
265
+ iframe: HTMLIFrameElement,
266
+ id: string | number,
267
+ method: string,
268
+ params?: Record<string, unknown>,
269
+ ) {
270
+ const msg = new MessageEvent("message", {
271
+ data: {
272
+ jsonrpc: "2.0",
273
+ id,
274
+ method,
275
+ params,
276
+ },
277
+ source: iframe.contentWindow,
278
+ origin: "",
279
+ });
280
+ return act(async () => {
281
+ window.dispatchEvent(msg);
282
+ await new Promise((resolve) => setTimeout(resolve, 200));
283
+ });
284
+ }
285
+
286
+ // ---------------------------------------------------------------------------
287
+ // Capture outgoing postMessage calls on the iframe's contentWindow so we can
288
+ // inspect JSON-RPC responses sent back to the iframe.
289
+ // ---------------------------------------------------------------------------
290
+ function captureIframeMessages(iframe: HTMLIFrameElement) {
291
+ const captured: unknown[] = [];
292
+ const cw = iframe.contentWindow;
293
+ if (cw) {
294
+ const origPostMessage = cw.postMessage.bind(cw);
295
+ cw.postMessage = function (message: unknown, ...args: unknown[]) {
296
+ captured.push(message);
297
+ return (origPostMessage as Function)(message, ...args);
298
+ };
299
+ }
300
+ return captured;
301
+ }
302
+
303
+ // ---------------------------------------------------------------------------
304
+ // Tests
305
+ // ---------------------------------------------------------------------------
306
+
307
+ describe("MCP Apps Proxy E2E", () => {
308
+ beforeEach(() => {
309
+ vi.clearAllMocks();
310
+ });
311
+
312
+ describe("tools/call proxy round-trip", () => {
313
+ it("proxies a tools/call request through the agent and returns the result to the iframe", async () => {
314
+ const agent = new MockMCPProxyAgent();
315
+ agent.agentId = "proxy-tools-call";
316
+
317
+ // Set a specific response for tools/call
318
+ agent.setRunAgentResponse("tools/call", {
319
+ content: [{ type: "text", text: "calculator result: 42" }],
320
+ isError: false,
321
+ });
322
+
323
+ const iframe = await setupMCPActivity(
324
+ agent,
325
+ "proxy-tools-call",
326
+ "Tools call test",
327
+ );
328
+ const captured = captureIframeMessages(iframe);
329
+
330
+ // Send a tools/call JSON-RPC request from the "iframe"
331
+ const reqId = testId("req");
332
+ await sendJsonRpc(iframe, reqId, "tools/call", {
333
+ name: "calculator",
334
+ arguments: { expression: "6 * 7" },
335
+ });
336
+
337
+ // Verify the agent received a proxied MCP request with method tools/call
338
+ const toolsCallEntry = agent.runAgentCalls.find(
339
+ (call) =>
340
+ call.input.forwardedProps?.__proxiedMCPRequest?.method ===
341
+ "tools/call",
342
+ );
343
+ expect(toolsCallEntry).toBeDefined();
344
+ expect(
345
+ toolsCallEntry?.input.forwardedProps?.__proxiedMCPRequest?.params,
346
+ ).toMatchObject({
347
+ name: "calculator",
348
+ arguments: { expression: "6 * 7" },
349
+ });
350
+
351
+ // Verify a success response was posted back to the iframe
352
+ const response = captured.find(
353
+ (m: any) => m && m.jsonrpc === "2.0" && m.id === reqId && m.result,
354
+ ) as any;
355
+ expect(response).toBeDefined();
356
+ expect(response.result).toMatchObject({
357
+ content: [{ type: "text", text: "calculator result: 42" }],
358
+ isError: false,
359
+ });
360
+ });
361
+ });
362
+
363
+ describe("tools/call error handling", () => {
364
+ it("returns a JSON-RPC error when the agent throws during tools/call", async () => {
365
+ const agent = new MockMCPProxyAgent();
366
+ agent.agentId = "proxy-tools-error";
367
+
368
+ const iframe = await setupMCPActivity(
369
+ agent,
370
+ "proxy-tools-error",
371
+ "Tools error test",
372
+ );
373
+ const captured = captureIframeMessages(iframe);
374
+
375
+ // Override runAgent to throw for tools/call
376
+ const originalRunAgent = agent.runAgent.bind(agent);
377
+ agent.runAgent = async (
378
+ input?: Partial<RunAgentInput>,
379
+ ): Promise<RunAgentResult> => {
380
+ const proxiedRequest = input?.forwardedProps?.__proxiedMCPRequest as
381
+ | { method: string }
382
+ | undefined;
383
+ if (proxiedRequest?.method === "tools/call") {
384
+ throw new Error("Server unreachable: connection refused");
385
+ }
386
+ return originalRunAgent(input);
387
+ };
388
+
389
+ const reqId = testId("req");
390
+ await sendJsonRpc(iframe, reqId, "tools/call", {
391
+ name: "broken-tool",
392
+ arguments: {},
393
+ });
394
+
395
+ // Verify an error response was posted back to the iframe
396
+ const errorResponse = captured.find(
397
+ (m: any) => m && m.jsonrpc === "2.0" && m.id === reqId && m.error,
398
+ ) as any;
399
+ expect(errorResponse).toBeDefined();
400
+ expect(errorResponse.error.code).toBe(-32603);
401
+ expect(errorResponse.error.message).toContain(
402
+ "Server unreachable: connection refused",
403
+ );
404
+ });
405
+ });
406
+
407
+ describe("ui/open-link handler", () => {
408
+ it("calls window.open with the correct URL when the iframe sends ui/open-link", async () => {
409
+ const agent = new MockMCPProxyAgent();
410
+ agent.agentId = "proxy-open-link";
411
+
412
+ const iframe = await setupMCPActivity(
413
+ agent,
414
+ "proxy-open-link",
415
+ "Open link test",
416
+ );
417
+ const captured = captureIframeMessages(iframe);
418
+
419
+ // Spy on window.open
420
+ const openSpy = vi.spyOn(window, "open").mockImplementation(() => null);
421
+
422
+ const reqId = testId("req");
423
+ await sendJsonRpc(iframe, reqId, "ui/open-link", {
424
+ url: "https://example.com/docs",
425
+ });
426
+
427
+ // Verify window.open was called with the correct args
428
+ expect(openSpy).toHaveBeenCalledWith(
429
+ "https://example.com/docs",
430
+ "_blank",
431
+ "noopener,noreferrer",
432
+ );
433
+
434
+ // Verify a success response was sent back
435
+ const response = captured.find(
436
+ (m: any) => m && m.jsonrpc === "2.0" && m.id === reqId && m.result,
437
+ ) as any;
438
+ expect(response).toBeDefined();
439
+ expect(response.result).toMatchObject({ isError: false });
440
+
441
+ openSpy.mockRestore();
442
+ });
443
+
444
+ it("returns an error when url parameter is missing", async () => {
445
+ const agent = new MockMCPProxyAgent();
446
+ agent.agentId = "proxy-open-link-no-url";
447
+
448
+ const iframe = await setupMCPActivity(
449
+ agent,
450
+ "proxy-open-link-no-url",
451
+ "No URL test",
452
+ );
453
+ const captured = captureIframeMessages(iframe);
454
+
455
+ const reqId = testId("req");
456
+ await sendJsonRpc(iframe, reqId, "ui/open-link", {});
457
+
458
+ // Verify an error response for missing url
459
+ const errorResponse = captured.find(
460
+ (m: any) => m && m.jsonrpc === "2.0" && m.id === reqId && m.error,
461
+ ) as any;
462
+ expect(errorResponse).toBeDefined();
463
+ expect(errorResponse.error.code).toBe(-32602);
464
+ expect(errorResponse.error.message).toContain("Missing url");
465
+ });
466
+ });
467
+
468
+ describe("Multiple independent MCP activities", () => {
469
+ it("renders two activities with different resourceUris independently", async () => {
470
+ const agent = new MockMCPProxyAgent();
471
+ agent.agentId = "proxy-multi";
472
+
473
+ // Respond with different HTML for each URI.
474
+ // Override runAgent while still tracking calls in runAgentCalls.
475
+ const originalRunAgent = agent.runAgent.bind(agent);
476
+ agent.runAgent = async (
477
+ input?: Partial<RunAgentInput>,
478
+ ): Promise<RunAgentResult> => {
479
+ const proxiedRequest = input?.forwardedProps?.__proxiedMCPRequest as
480
+ | {
481
+ method: string;
482
+ params?: { uri?: string };
483
+ }
484
+ | undefined;
485
+ if (proxiedRequest?.method === "resources/read") {
486
+ if (input) {
487
+ agent.runAgentCalls.push({ input });
488
+ }
489
+ const uri = proxiedRequest.params?.uri;
490
+ if (uri === "ui://first/widget") {
491
+ return {
492
+ result: {
493
+ contents: [
494
+ {
495
+ uri,
496
+ mimeType: "text/html",
497
+ text: "<div>First Widget</div>",
498
+ },
499
+ ],
500
+ },
501
+ newMessages: [],
502
+ };
503
+ }
504
+ if (uri === "ui://second/widget") {
505
+ return {
506
+ result: {
507
+ contents: [
508
+ {
509
+ uri,
510
+ mimeType: "text/html",
511
+ text: "<div>Second Widget</div>",
512
+ },
513
+ ],
514
+ },
515
+ newMessages: [],
516
+ };
517
+ }
518
+ }
519
+ return originalRunAgent(input);
520
+ };
521
+
522
+ const threadId = testId("thread");
523
+
524
+ renderWithCopilotKit({
525
+ agents: { "proxy-multi": agent },
526
+ agentId: "proxy-multi",
527
+ threadId,
528
+ });
529
+
530
+ const input = await screen.findByRole("textbox");
531
+ fireEvent.change(input, { target: { value: "Two widgets" } });
532
+ fireEvent.keyDown(input, { key: "Enter", code: "Enter" });
533
+
534
+ await waitFor(() => {
535
+ expect(screen.getByText("Two widgets")).toBeDefined();
536
+ });
537
+
538
+ agent.emit(runStartedEvent());
539
+
540
+ // Emit two distinct activity snapshots
541
+ agent.emit(
542
+ activitySnapshotEvent({
543
+ messageId: testId("mcp-first"),
544
+ activityType: MCPAppsActivityType,
545
+ content: mcpAppsActivityContent({
546
+ resourceUri: "ui://first/widget",
547
+ serverHash: "first-hash",
548
+ }),
549
+ }),
550
+ );
551
+
552
+ agent.emit(
553
+ activitySnapshotEvent({
554
+ messageId: testId("mcp-second"),
555
+ activityType: MCPAppsActivityType,
556
+ content: mcpAppsActivityContent({
557
+ resourceUri: "ui://second/widget",
558
+ serverHash: "second-hash",
559
+ }),
560
+ }),
561
+ );
562
+
563
+ agent.emit(runFinishedEvent());
564
+
565
+ // Both activities should produce their own iframes
566
+ await waitFor(
567
+ () => {
568
+ const iframes = document.querySelectorAll("iframe[srcdoc]");
569
+ expect(iframes.length).toBe(2);
570
+ },
571
+ { timeout: 3000 },
572
+ );
573
+
574
+ // Verify that two separate resource fetches were made
575
+ const resourceCalls = agent.runAgentCalls.filter(
576
+ (call) =>
577
+ call.input.forwardedProps?.__proxiedMCPRequest?.method ===
578
+ "resources/read",
579
+ );
580
+ expect(resourceCalls.length).toBe(2);
581
+
582
+ const uris = resourceCalls.map(
583
+ (c) => c.input.forwardedProps?.__proxiedMCPRequest?.params?.uri,
584
+ );
585
+ expect(uris).toContain("ui://first/widget");
586
+ expect(uris).toContain("ui://second/widget");
587
+ });
588
+ });
589
+ });