@mastra/client-js 0.0.0-mcp-schema-serializer-20250430202337 → 0.0.0-mcp-changeset-20250707162621

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/dist/index.js CHANGED
@@ -1,8 +1,229 @@
1
- import { processDataStream } from '@ai-sdk/ui-utils';
1
+ import { AbstractAgent, EventType } from '@ag-ui/client';
2
+ import { Observable } from 'rxjs';
3
+ import { processDataStream, parsePartialJson } from '@ai-sdk/ui-utils';
2
4
  import { ZodSchema } from 'zod';
3
- import { zodToJsonSchema } from 'zod-to-json-schema';
5
+ import originalZodToJsonSchema from 'zod-to-json-schema';
6
+ import { isVercelTool } from '@mastra/core/tools';
7
+ import { RuntimeContext } from '@mastra/core/runtime-context';
4
8
 
5
- // src/resources/agent.ts
9
+ // src/adapters/agui.ts
10
+ var AGUIAdapter = class extends AbstractAgent {
11
+ agent;
12
+ resourceId;
13
+ constructor({ agent, agentId, resourceId, ...rest }) {
14
+ super({
15
+ agentId,
16
+ ...rest
17
+ });
18
+ this.agent = agent;
19
+ this.resourceId = resourceId;
20
+ }
21
+ run(input) {
22
+ return new Observable((subscriber) => {
23
+ const convertedMessages = convertMessagesToMastraMessages(input.messages);
24
+ subscriber.next({
25
+ type: EventType.RUN_STARTED,
26
+ threadId: input.threadId,
27
+ runId: input.runId
28
+ });
29
+ this.agent.stream({
30
+ threadId: input.threadId,
31
+ resourceId: this.resourceId ?? "",
32
+ runId: input.runId,
33
+ messages: convertedMessages,
34
+ clientTools: input.tools.reduce(
35
+ (acc, tool) => {
36
+ acc[tool.name] = {
37
+ id: tool.name,
38
+ description: tool.description,
39
+ inputSchema: tool.parameters
40
+ };
41
+ return acc;
42
+ },
43
+ {}
44
+ )
45
+ }).then((response) => {
46
+ let currentMessageId = void 0;
47
+ let isInTextMessage = false;
48
+ return response.processDataStream({
49
+ onTextPart: (text) => {
50
+ if (currentMessageId === void 0) {
51
+ currentMessageId = generateUUID();
52
+ const message2 = {
53
+ type: EventType.TEXT_MESSAGE_START,
54
+ messageId: currentMessageId,
55
+ role: "assistant"
56
+ };
57
+ subscriber.next(message2);
58
+ isInTextMessage = true;
59
+ }
60
+ const message = {
61
+ type: EventType.TEXT_MESSAGE_CONTENT,
62
+ messageId: currentMessageId,
63
+ delta: text
64
+ };
65
+ subscriber.next(message);
66
+ },
67
+ onFinishMessagePart: () => {
68
+ if (currentMessageId !== void 0) {
69
+ const message = {
70
+ type: EventType.TEXT_MESSAGE_END,
71
+ messageId: currentMessageId
72
+ };
73
+ subscriber.next(message);
74
+ isInTextMessage = false;
75
+ }
76
+ subscriber.next({
77
+ type: EventType.RUN_FINISHED,
78
+ threadId: input.threadId,
79
+ runId: input.runId
80
+ });
81
+ subscriber.complete();
82
+ },
83
+ onToolCallPart(streamPart) {
84
+ const parentMessageId = currentMessageId || generateUUID();
85
+ if (isInTextMessage) {
86
+ const message = {
87
+ type: EventType.TEXT_MESSAGE_END,
88
+ messageId: parentMessageId
89
+ };
90
+ subscriber.next(message);
91
+ isInTextMessage = false;
92
+ }
93
+ subscriber.next({
94
+ type: EventType.TOOL_CALL_START,
95
+ toolCallId: streamPart.toolCallId,
96
+ toolCallName: streamPart.toolName,
97
+ parentMessageId
98
+ });
99
+ subscriber.next({
100
+ type: EventType.TOOL_CALL_ARGS,
101
+ toolCallId: streamPart.toolCallId,
102
+ delta: JSON.stringify(streamPart.args),
103
+ parentMessageId
104
+ });
105
+ subscriber.next({
106
+ type: EventType.TOOL_CALL_END,
107
+ toolCallId: streamPart.toolCallId,
108
+ parentMessageId
109
+ });
110
+ }
111
+ });
112
+ }).catch((error) => {
113
+ console.error("error", error);
114
+ subscriber.error(error);
115
+ });
116
+ return () => {
117
+ };
118
+ });
119
+ }
120
+ };
121
+ function generateUUID() {
122
+ if (typeof crypto !== "undefined") {
123
+ if (typeof crypto.randomUUID === "function") {
124
+ return crypto.randomUUID();
125
+ }
126
+ if (typeof crypto.getRandomValues === "function") {
127
+ const buffer = new Uint8Array(16);
128
+ crypto.getRandomValues(buffer);
129
+ buffer[6] = buffer[6] & 15 | 64;
130
+ buffer[8] = buffer[8] & 63 | 128;
131
+ let hex = "";
132
+ for (let i = 0; i < 16; i++) {
133
+ hex += buffer[i].toString(16).padStart(2, "0");
134
+ if (i === 3 || i === 5 || i === 7 || i === 9) hex += "-";
135
+ }
136
+ return hex;
137
+ }
138
+ }
139
+ return "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, (c) => {
140
+ const r = Math.random() * 16 | 0;
141
+ const v = c === "x" ? r : r & 3 | 8;
142
+ return v.toString(16);
143
+ });
144
+ }
145
+ function convertMessagesToMastraMessages(messages) {
146
+ const result = [];
147
+ for (const message of messages) {
148
+ if (message.role === "assistant") {
149
+ const parts = message.content ? [{ type: "text", text: message.content }] : [];
150
+ for (const toolCall of message.toolCalls ?? []) {
151
+ parts.push({
152
+ type: "tool-call",
153
+ toolCallId: toolCall.id,
154
+ toolName: toolCall.function.name,
155
+ args: JSON.parse(toolCall.function.arguments)
156
+ });
157
+ }
158
+ result.push({
159
+ role: "assistant",
160
+ content: parts
161
+ });
162
+ if (message.toolCalls?.length) {
163
+ result.push({
164
+ role: "tool",
165
+ content: message.toolCalls.map((toolCall) => ({
166
+ type: "tool-result",
167
+ toolCallId: toolCall.id,
168
+ toolName: toolCall.function.name,
169
+ result: JSON.parse(toolCall.function.arguments)
170
+ }))
171
+ });
172
+ }
173
+ } else if (message.role === "user") {
174
+ result.push({
175
+ role: "user",
176
+ content: message.content || ""
177
+ });
178
+ } else if (message.role === "tool") {
179
+ result.push({
180
+ role: "tool",
181
+ content: [
182
+ {
183
+ type: "tool-result",
184
+ toolCallId: message.toolCallId,
185
+ toolName: "unknown",
186
+ result: message.content
187
+ }
188
+ ]
189
+ });
190
+ }
191
+ }
192
+ return result;
193
+ }
194
+ function zodToJsonSchema(zodSchema) {
195
+ if (!(zodSchema instanceof ZodSchema)) {
196
+ return zodSchema;
197
+ }
198
+ return originalZodToJsonSchema(zodSchema, { $refStrategy: "none" });
199
+ }
200
+ function processClientTools(clientTools) {
201
+ if (!clientTools) {
202
+ return void 0;
203
+ }
204
+ return Object.fromEntries(
205
+ Object.entries(clientTools).map(([key, value]) => {
206
+ if (isVercelTool(value)) {
207
+ return [
208
+ key,
209
+ {
210
+ ...value,
211
+ parameters: value.parameters ? zodToJsonSchema(value.parameters) : void 0
212
+ }
213
+ ];
214
+ } else {
215
+ return [
216
+ key,
217
+ {
218
+ ...value,
219
+ inputSchema: value.inputSchema ? zodToJsonSchema(value.inputSchema) : void 0,
220
+ outputSchema: value.outputSchema ? zodToJsonSchema(value.outputSchema) : void 0
221
+ }
222
+ ];
223
+ }
224
+ })
225
+ );
226
+ }
6
227
 
7
228
  // src/resources/base.ts
8
229
  var BaseResource = class {
@@ -22,9 +243,10 @@ var BaseResource = class {
22
243
  let delay = backoffMs;
23
244
  for (let attempt = 0; attempt <= retries; attempt++) {
24
245
  try {
25
- const response = await fetch(`${baseUrl}${path}`, {
246
+ const response = await fetch(`${baseUrl.replace(/\/$/, "")}${path}`, {
26
247
  ...options,
27
248
  headers: {
249
+ ...options.method === "POST" || options.method === "PUT" ? { "content-type": "application/json" } : {},
28
250
  ...headers,
29
251
  ...options.headers
30
252
  // TODO: Bring this back once we figure out what we/users need to do to make this work with cross-origin requests
@@ -62,8 +284,15 @@ var BaseResource = class {
62
284
  throw lastError || new Error("Request failed");
63
285
  }
64
286
  };
65
-
66
- // src/resources/agent.ts
287
+ function parseClientRuntimeContext(runtimeContext) {
288
+ if (runtimeContext) {
289
+ if (runtimeContext instanceof RuntimeContext) {
290
+ return Object.fromEntries(runtimeContext.entries());
291
+ }
292
+ return runtimeContext;
293
+ }
294
+ return void 0;
295
+ }
67
296
  var AgentVoice = class extends BaseResource {
68
297
  constructor(options, agentId) {
69
298
  super(options);
@@ -110,6 +339,13 @@ var AgentVoice = class extends BaseResource {
110
339
  getSpeakers() {
111
340
  return this.request(`/api/agents/${this.agentId}/voice/speakers`);
112
341
  }
342
+ /**
343
+ * Get the listener configuration for the agent's voice provider
344
+ * @returns Promise containing a check if the agent has listening capabilities
345
+ */
346
+ getListener() {
347
+ return this.request(`/api/agents/${this.agentId}/voice/listener`);
348
+ }
113
349
  };
114
350
  var Agent = class extends BaseResource {
115
351
  constructor(options, agentId) {
@@ -125,21 +361,318 @@ var Agent = class extends BaseResource {
125
361
  details() {
126
362
  return this.request(`/api/agents/${this.agentId}`);
127
363
  }
128
- /**
129
- * Generates a response from the agent
130
- * @param params - Generation parameters including prompt
131
- * @returns Promise containing the generated response
132
- */
133
- generate(params) {
364
+ async generate(params) {
134
365
  const processedParams = {
135
366
  ...params,
136
- output: params.output instanceof ZodSchema ? zodToJsonSchema(params.output) : params.output,
137
- experimental_output: params.experimental_output instanceof ZodSchema ? zodToJsonSchema(params.experimental_output) : params.experimental_output
367
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
368
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
369
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
370
+ clientTools: processClientTools(params.clientTools)
138
371
  };
139
- return this.request(`/api/agents/${this.agentId}/generate`, {
372
+ const { runId, resourceId, threadId, runtimeContext } = processedParams;
373
+ const response = await this.request(`/api/agents/${this.agentId}/generate`, {
140
374
  method: "POST",
141
375
  body: processedParams
142
376
  });
377
+ if (response.finishReason === "tool-calls") {
378
+ for (const toolCall of response.toolCalls) {
379
+ const clientTool = params.clientTools?.[toolCall.toolName];
380
+ if (clientTool && clientTool.execute) {
381
+ const result = await clientTool.execute(
382
+ { context: toolCall?.args, runId, resourceId, threadId, runtimeContext },
383
+ {
384
+ messages: response.messages,
385
+ toolCallId: toolCall?.toolCallId
386
+ }
387
+ );
388
+ const updatedMessages = [
389
+ {
390
+ role: "user",
391
+ content: params.messages
392
+ },
393
+ ...response.response.messages,
394
+ {
395
+ role: "tool",
396
+ content: [
397
+ {
398
+ type: "tool-result",
399
+ toolCallId: toolCall.toolCallId,
400
+ toolName: toolCall.toolName,
401
+ result
402
+ }
403
+ ]
404
+ }
405
+ ];
406
+ return this.generate({
407
+ ...params,
408
+ messages: updatedMessages
409
+ });
410
+ }
411
+ }
412
+ }
413
+ return response;
414
+ }
415
+ async processChatResponse({
416
+ stream,
417
+ update,
418
+ onToolCall,
419
+ onFinish,
420
+ getCurrentDate = () => /* @__PURE__ */ new Date(),
421
+ lastMessage
422
+ }) {
423
+ const replaceLastMessage = lastMessage?.role === "assistant";
424
+ let step = replaceLastMessage ? 1 + // find max step in existing tool invocations:
425
+ (lastMessage.toolInvocations?.reduce((max, toolInvocation) => {
426
+ return Math.max(max, toolInvocation.step ?? 0);
427
+ }, 0) ?? 0) : 0;
428
+ const message = replaceLastMessage ? structuredClone(lastMessage) : {
429
+ id: crypto.randomUUID(),
430
+ createdAt: getCurrentDate(),
431
+ role: "assistant",
432
+ content: "",
433
+ parts: []
434
+ };
435
+ let currentTextPart = void 0;
436
+ let currentReasoningPart = void 0;
437
+ let currentReasoningTextDetail = void 0;
438
+ function updateToolInvocationPart(toolCallId, invocation) {
439
+ const part = message.parts.find(
440
+ (part2) => part2.type === "tool-invocation" && part2.toolInvocation.toolCallId === toolCallId
441
+ );
442
+ if (part != null) {
443
+ part.toolInvocation = invocation;
444
+ } else {
445
+ message.parts.push({
446
+ type: "tool-invocation",
447
+ toolInvocation: invocation
448
+ });
449
+ }
450
+ }
451
+ const data = [];
452
+ let messageAnnotations = replaceLastMessage ? lastMessage?.annotations : void 0;
453
+ const partialToolCalls = {};
454
+ let usage = {
455
+ completionTokens: NaN,
456
+ promptTokens: NaN,
457
+ totalTokens: NaN
458
+ };
459
+ let finishReason = "unknown";
460
+ function execUpdate() {
461
+ const copiedData = [...data];
462
+ if (messageAnnotations?.length) {
463
+ message.annotations = messageAnnotations;
464
+ }
465
+ const copiedMessage = {
466
+ // deep copy the message to ensure that deep changes (msg attachments) are updated
467
+ // with SolidJS. SolidJS uses referential integration of sub-objects to detect changes.
468
+ ...structuredClone(message),
469
+ // add a revision id to ensure that the message is updated with SWR. SWR uses a
470
+ // hashing approach by default to detect changes, but it only works for shallow
471
+ // changes. This is why we need to add a revision id to ensure that the message
472
+ // is updated with SWR (without it, the changes get stuck in SWR and are not
473
+ // forwarded to rendering):
474
+ revisionId: crypto.randomUUID()
475
+ };
476
+ update({
477
+ message: copiedMessage,
478
+ data: copiedData,
479
+ replaceLastMessage
480
+ });
481
+ }
482
+ await processDataStream({
483
+ stream,
484
+ onTextPart(value) {
485
+ if (currentTextPart == null) {
486
+ currentTextPart = {
487
+ type: "text",
488
+ text: value
489
+ };
490
+ message.parts.push(currentTextPart);
491
+ } else {
492
+ currentTextPart.text += value;
493
+ }
494
+ message.content += value;
495
+ execUpdate();
496
+ },
497
+ onReasoningPart(value) {
498
+ if (currentReasoningTextDetail == null) {
499
+ currentReasoningTextDetail = { type: "text", text: value };
500
+ if (currentReasoningPart != null) {
501
+ currentReasoningPart.details.push(currentReasoningTextDetail);
502
+ }
503
+ } else {
504
+ currentReasoningTextDetail.text += value;
505
+ }
506
+ if (currentReasoningPart == null) {
507
+ currentReasoningPart = {
508
+ type: "reasoning",
509
+ reasoning: value,
510
+ details: [currentReasoningTextDetail]
511
+ };
512
+ message.parts.push(currentReasoningPart);
513
+ } else {
514
+ currentReasoningPart.reasoning += value;
515
+ }
516
+ message.reasoning = (message.reasoning ?? "") + value;
517
+ execUpdate();
518
+ },
519
+ onReasoningSignaturePart(value) {
520
+ if (currentReasoningTextDetail != null) {
521
+ currentReasoningTextDetail.signature = value.signature;
522
+ }
523
+ },
524
+ onRedactedReasoningPart(value) {
525
+ if (currentReasoningPart == null) {
526
+ currentReasoningPart = {
527
+ type: "reasoning",
528
+ reasoning: "",
529
+ details: []
530
+ };
531
+ message.parts.push(currentReasoningPart);
532
+ }
533
+ currentReasoningPart.details.push({
534
+ type: "redacted",
535
+ data: value.data
536
+ });
537
+ currentReasoningTextDetail = void 0;
538
+ execUpdate();
539
+ },
540
+ onFilePart(value) {
541
+ message.parts.push({
542
+ type: "file",
543
+ mimeType: value.mimeType,
544
+ data: value.data
545
+ });
546
+ execUpdate();
547
+ },
548
+ onSourcePart(value) {
549
+ message.parts.push({
550
+ type: "source",
551
+ source: value
552
+ });
553
+ execUpdate();
554
+ },
555
+ onToolCallStreamingStartPart(value) {
556
+ if (message.toolInvocations == null) {
557
+ message.toolInvocations = [];
558
+ }
559
+ partialToolCalls[value.toolCallId] = {
560
+ text: "",
561
+ step,
562
+ toolName: value.toolName,
563
+ index: message.toolInvocations.length
564
+ };
565
+ const invocation = {
566
+ state: "partial-call",
567
+ step,
568
+ toolCallId: value.toolCallId,
569
+ toolName: value.toolName,
570
+ args: void 0
571
+ };
572
+ message.toolInvocations.push(invocation);
573
+ updateToolInvocationPart(value.toolCallId, invocation);
574
+ execUpdate();
575
+ },
576
+ onToolCallDeltaPart(value) {
577
+ const partialToolCall = partialToolCalls[value.toolCallId];
578
+ partialToolCall.text += value.argsTextDelta;
579
+ const { value: partialArgs } = parsePartialJson(partialToolCall.text);
580
+ const invocation = {
581
+ state: "partial-call",
582
+ step: partialToolCall.step,
583
+ toolCallId: value.toolCallId,
584
+ toolName: partialToolCall.toolName,
585
+ args: partialArgs
586
+ };
587
+ message.toolInvocations[partialToolCall.index] = invocation;
588
+ updateToolInvocationPart(value.toolCallId, invocation);
589
+ execUpdate();
590
+ },
591
+ async onToolCallPart(value) {
592
+ const invocation = {
593
+ state: "call",
594
+ step,
595
+ ...value
596
+ };
597
+ if (partialToolCalls[value.toolCallId] != null) {
598
+ message.toolInvocations[partialToolCalls[value.toolCallId].index] = invocation;
599
+ } else {
600
+ if (message.toolInvocations == null) {
601
+ message.toolInvocations = [];
602
+ }
603
+ message.toolInvocations.push(invocation);
604
+ }
605
+ updateToolInvocationPart(value.toolCallId, invocation);
606
+ execUpdate();
607
+ if (onToolCall) {
608
+ const result = await onToolCall({ toolCall: value });
609
+ if (result != null) {
610
+ const invocation2 = {
611
+ state: "result",
612
+ step,
613
+ ...value,
614
+ result
615
+ };
616
+ message.toolInvocations[message.toolInvocations.length - 1] = invocation2;
617
+ updateToolInvocationPart(value.toolCallId, invocation2);
618
+ execUpdate();
619
+ }
620
+ }
621
+ },
622
+ onToolResultPart(value) {
623
+ const toolInvocations = message.toolInvocations;
624
+ if (toolInvocations == null) {
625
+ throw new Error("tool_result must be preceded by a tool_call");
626
+ }
627
+ const toolInvocationIndex = toolInvocations.findIndex((invocation2) => invocation2.toolCallId === value.toolCallId);
628
+ if (toolInvocationIndex === -1) {
629
+ throw new Error("tool_result must be preceded by a tool_call with the same toolCallId");
630
+ }
631
+ const invocation = {
632
+ ...toolInvocations[toolInvocationIndex],
633
+ state: "result",
634
+ ...value
635
+ };
636
+ toolInvocations[toolInvocationIndex] = invocation;
637
+ updateToolInvocationPart(value.toolCallId, invocation);
638
+ execUpdate();
639
+ },
640
+ onDataPart(value) {
641
+ data.push(...value);
642
+ execUpdate();
643
+ },
644
+ onMessageAnnotationsPart(value) {
645
+ if (messageAnnotations == null) {
646
+ messageAnnotations = [...value];
647
+ } else {
648
+ messageAnnotations.push(...value);
649
+ }
650
+ execUpdate();
651
+ },
652
+ onFinishStepPart(value) {
653
+ step += 1;
654
+ currentTextPart = value.isContinued ? currentTextPart : void 0;
655
+ currentReasoningPart = void 0;
656
+ currentReasoningTextDetail = void 0;
657
+ },
658
+ onStartStepPart(value) {
659
+ if (!replaceLastMessage) {
660
+ message.id = value.messageId;
661
+ }
662
+ message.parts.push({ type: "step-start" });
663
+ execUpdate();
664
+ },
665
+ onFinishMessagePart(value) {
666
+ finishReason = value.finishReason;
667
+ if (value.usage != null) {
668
+ usage = value.usage;
669
+ }
670
+ },
671
+ onErrorPart(error) {
672
+ throw new Error(error);
673
+ }
674
+ });
675
+ onFinish?.({ message, finishReason, usage });
143
676
  }
144
677
  /**
145
678
  * Streams a response from the agent
@@ -149,9 +682,30 @@ var Agent = class extends BaseResource {
149
682
  async stream(params) {
150
683
  const processedParams = {
151
684
  ...params,
152
- output: params.output instanceof ZodSchema ? zodToJsonSchema(params.output) : params.output,
153
- experimental_output: params.experimental_output instanceof ZodSchema ? zodToJsonSchema(params.experimental_output) : params.experimental_output
685
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
686
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
687
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
688
+ clientTools: processClientTools(params.clientTools)
689
+ };
690
+ const { readable, writable } = new TransformStream();
691
+ const response = await this.processStreamResponse(processedParams, writable);
692
+ const streamResponse = new Response(readable, {
693
+ status: response.status,
694
+ statusText: response.statusText,
695
+ headers: response.headers
696
+ });
697
+ streamResponse.processDataStream = async (options = {}) => {
698
+ await processDataStream({
699
+ stream: streamResponse.body,
700
+ ...options
701
+ });
154
702
  };
703
+ return streamResponse;
704
+ }
705
+ /**
706
+ * Processes the stream response and handles tool calls
707
+ */
708
+ async processStreamResponse(processedParams, writable) {
155
709
  const response = await this.request(`/api/agents/${this.agentId}/stream`, {
156
710
  method: "POST",
157
711
  body: processedParams,
@@ -160,12 +714,95 @@ var Agent = class extends BaseResource {
160
714
  if (!response.body) {
161
715
  throw new Error("No response body");
162
716
  }
163
- response.processDataStream = async (options = {}) => {
164
- await processDataStream({
165
- stream: response.body,
166
- ...options
717
+ try {
718
+ let toolCalls = [];
719
+ let messages = [];
720
+ const [streamForWritable, streamForProcessing] = response.body.tee();
721
+ streamForWritable.pipeTo(writable, {
722
+ preventClose: true
723
+ }).catch((error) => {
724
+ console.error("Error piping to writable stream:", error);
167
725
  });
168
- };
726
+ this.processChatResponse({
727
+ stream: streamForProcessing,
728
+ update: ({ message }) => {
729
+ messages.push(message);
730
+ },
731
+ onFinish: async ({ finishReason, message }) => {
732
+ if (finishReason === "tool-calls") {
733
+ const toolCall = [...message?.parts ?? []].reverse().find((part) => part.type === "tool-invocation")?.toolInvocation;
734
+ if (toolCall) {
735
+ toolCalls.push(toolCall);
736
+ }
737
+ for (const toolCall2 of toolCalls) {
738
+ const clientTool = processedParams.clientTools?.[toolCall2.toolName];
739
+ if (clientTool && clientTool.execute) {
740
+ const result = await clientTool.execute(
741
+ {
742
+ context: toolCall2?.args,
743
+ runId: processedParams.runId,
744
+ resourceId: processedParams.resourceId,
745
+ threadId: processedParams.threadId,
746
+ runtimeContext: processedParams.runtimeContext
747
+ },
748
+ {
749
+ messages: response.messages,
750
+ toolCallId: toolCall2?.toolCallId
751
+ }
752
+ );
753
+ const lastMessage = JSON.parse(JSON.stringify(messages[messages.length - 1]));
754
+ const toolInvocationPart = lastMessage?.parts?.find(
755
+ (part) => part.type === "tool-invocation" && part.toolInvocation?.toolCallId === toolCall2.toolCallId
756
+ );
757
+ if (toolInvocationPart) {
758
+ toolInvocationPart.toolInvocation = {
759
+ ...toolInvocationPart.toolInvocation,
760
+ state: "result",
761
+ result
762
+ };
763
+ }
764
+ const toolInvocation = lastMessage?.toolInvocations?.find(
765
+ (toolInvocation2) => toolInvocation2.toolCallId === toolCall2.toolCallId
766
+ );
767
+ if (toolInvocation) {
768
+ toolInvocation.state = "result";
769
+ toolInvocation.result = result;
770
+ }
771
+ const writer = writable.getWriter();
772
+ try {
773
+ await writer.write(
774
+ new TextEncoder().encode(
775
+ "a:" + JSON.stringify({
776
+ toolCallId: toolCall2.toolCallId,
777
+ result
778
+ }) + "\n"
779
+ )
780
+ );
781
+ } finally {
782
+ writer.releaseLock();
783
+ }
784
+ const originalMessages = processedParams.messages;
785
+ const messageArray = Array.isArray(originalMessages) ? originalMessages : [originalMessages];
786
+ this.processStreamResponse(
787
+ {
788
+ ...processedParams,
789
+ messages: [...messageArray, ...messages, lastMessage]
790
+ },
791
+ writable
792
+ );
793
+ }
794
+ }
795
+ } else {
796
+ setTimeout(() => {
797
+ writable.close();
798
+ }, 0);
799
+ }
800
+ },
801
+ lastMessage: void 0
802
+ });
803
+ } catch (error) {
804
+ console.error("Error processing stream response:", error);
805
+ }
169
806
  return response;
170
807
  }
171
808
  /**
@@ -176,6 +813,22 @@ var Agent = class extends BaseResource {
176
813
  getTool(toolId) {
177
814
  return this.request(`/api/agents/${this.agentId}/tools/${toolId}`);
178
815
  }
816
+ /**
817
+ * Executes a tool for the agent
818
+ * @param toolId - ID of the tool to execute
819
+ * @param params - Parameters required for tool execution
820
+ * @returns Promise containing the tool execution results
821
+ */
822
+ executeTool(toolId, params) {
823
+ const body = {
824
+ data: params.data,
825
+ runtimeContext: params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0
826
+ };
827
+ return this.request(`/api/agents/${this.agentId}/tools/${toolId}/execute`, {
828
+ method: "POST",
829
+ body
830
+ });
831
+ }
179
832
  /**
180
833
  * Retrieves evaluation results for the agent
181
834
  * @returns Promise containing agent evaluations
@@ -211,8 +864,8 @@ var Network = class extends BaseResource {
211
864
  generate(params) {
212
865
  const processedParams = {
213
866
  ...params,
214
- output: params.output instanceof ZodSchema ? zodToJsonSchema(params.output) : params.output,
215
- experimental_output: params.experimental_output instanceof ZodSchema ? zodToJsonSchema(params.experimental_output) : params.experimental_output
867
+ output: zodToJsonSchema(params.output),
868
+ experimental_output: zodToJsonSchema(params.experimental_output)
216
869
  };
217
870
  return this.request(`/api/networks/${this.networkId}/generate`, {
218
871
  method: "POST",
@@ -227,8 +880,8 @@ var Network = class extends BaseResource {
227
880
  async stream(params) {
228
881
  const processedParams = {
229
882
  ...params,
230
- output: params.output instanceof ZodSchema ? zodToJsonSchema(params.output) : params.output,
231
- experimental_output: params.experimental_output instanceof ZodSchema ? zodToJsonSchema(params.experimental_output) : params.experimental_output
883
+ output: zodToJsonSchema(params.output),
884
+ experimental_output: zodToJsonSchema(params.experimental_output)
232
885
  };
233
886
  const response = await this.request(`/api/networks/${this.networkId}/stream`, {
234
887
  method: "POST",
@@ -284,10 +937,15 @@ var MemoryThread = class extends BaseResource {
284
937
  }
285
938
  /**
286
939
  * Retrieves messages associated with the thread
940
+ * @param params - Optional parameters including limit for number of messages to retrieve
287
941
  * @returns Promise containing thread messages and UI messages
288
942
  */
289
- getMessages() {
290
- return this.request(`/api/memory/threads/${this.threadId}/messages?agentId=${this.agentId}`);
943
+ getMessages(params) {
944
+ const query = new URLSearchParams({
945
+ agentId: this.agentId,
946
+ ...params?.limit ? { limit: params.limit.toString() } : {}
947
+ });
948
+ return this.request(`/api/memory/threads/${this.threadId}/messages?${query.toString()}`);
291
949
  }
292
950
  };
293
951
 
@@ -357,41 +1015,50 @@ var Vector = class extends BaseResource {
357
1015
  }
358
1016
  };
359
1017
 
360
- // src/resources/workflow.ts
1018
+ // src/resources/legacy-workflow.ts
361
1019
  var RECORD_SEPARATOR = "";
362
- var Workflow = class extends BaseResource {
1020
+ var LegacyWorkflow = class extends BaseResource {
363
1021
  constructor(options, workflowId) {
364
1022
  super(options);
365
1023
  this.workflowId = workflowId;
366
1024
  }
367
1025
  /**
368
- * Retrieves details about the workflow
369
- * @returns Promise containing workflow details including steps and graphs
1026
+ * Retrieves details about the legacy workflow
1027
+ * @returns Promise containing legacy workflow details including steps and graphs
370
1028
  */
371
1029
  details() {
372
- return this.request(`/api/workflows/${this.workflowId}`);
1030
+ return this.request(`/api/workflows/legacy/${this.workflowId}`);
373
1031
  }
374
1032
  /**
375
- * Retrieves all runs for a workflow
376
- * @returns Promise containing workflow runs array
377
- */
378
- runs() {
379
- return this.request(`/api/workflows/${this.workflowId}/runs`);
380
- }
381
- /**
382
- * @deprecated Use `startAsync` instead
383
- * Executes the workflow with the provided parameters
384
- * @param params - Parameters required for workflow execution
385
- * @returns Promise containing the workflow execution results
1033
+ * Retrieves all runs for a legacy workflow
1034
+ * @param params - Parameters for filtering runs
1035
+ * @returns Promise containing legacy workflow runs array
386
1036
  */
387
- execute(params) {
388
- return this.request(`/api/workflows/${this.workflowId}/execute`, {
389
- method: "POST",
390
- body: params
391
- });
1037
+ runs(params) {
1038
+ const searchParams = new URLSearchParams();
1039
+ if (params?.fromDate) {
1040
+ searchParams.set("fromDate", params.fromDate.toISOString());
1041
+ }
1042
+ if (params?.toDate) {
1043
+ searchParams.set("toDate", params.toDate.toISOString());
1044
+ }
1045
+ if (params?.limit) {
1046
+ searchParams.set("limit", String(params.limit));
1047
+ }
1048
+ if (params?.offset) {
1049
+ searchParams.set("offset", String(params.offset));
1050
+ }
1051
+ if (params?.resourceId) {
1052
+ searchParams.set("resourceId", params.resourceId);
1053
+ }
1054
+ if (searchParams.size) {
1055
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs?${searchParams}`);
1056
+ } else {
1057
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs`);
1058
+ }
392
1059
  }
393
1060
  /**
394
- * Creates a new workflow run
1061
+ * Creates a new legacy workflow run
395
1062
  * @returns Promise containing the generated run ID
396
1063
  */
397
1064
  createRun(params) {
@@ -399,34 +1066,34 @@ var Workflow = class extends BaseResource {
399
1066
  if (!!params?.runId) {
400
1067
  searchParams.set("runId", params.runId);
401
1068
  }
402
- return this.request(`/api/workflows/${this.workflowId}/createRun?${searchParams.toString()}`, {
1069
+ return this.request(`/api/workflows/legacy/${this.workflowId}/create-run?${searchParams.toString()}`, {
403
1070
  method: "POST"
404
1071
  });
405
1072
  }
406
1073
  /**
407
- * Starts a workflow run synchronously without waiting for the workflow to complete
1074
+ * Starts a legacy workflow run synchronously without waiting for the workflow to complete
408
1075
  * @param params - Object containing the runId and triggerData
409
1076
  * @returns Promise containing success message
410
1077
  */
411
1078
  start(params) {
412
- return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
1079
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start?runId=${params.runId}`, {
413
1080
  method: "POST",
414
1081
  body: params?.triggerData
415
1082
  });
416
1083
  }
417
1084
  /**
418
- * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
1085
+ * Resumes a suspended legacy workflow step synchronously without waiting for the workflow to complete
419
1086
  * @param stepId - ID of the step to resume
420
- * @param runId - ID of the workflow run
421
- * @param context - Context to resume the workflow with
422
- * @returns Promise containing the workflow resume results
1087
+ * @param runId - ID of the legacy workflow run
1088
+ * @param context - Context to resume the legacy workflow with
1089
+ * @returns Promise containing the legacy workflow resume results
423
1090
  */
424
1091
  resume({
425
1092
  stepId,
426
1093
  runId,
427
1094
  context
428
1095
  }) {
429
- return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
1096
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume?runId=${runId}`, {
430
1097
  method: "POST",
431
1098
  body: {
432
1099
  stepId,
@@ -444,18 +1111,18 @@ var Workflow = class extends BaseResource {
444
1111
  if (!!params?.runId) {
445
1112
  searchParams.set("runId", params.runId);
446
1113
  }
447
- return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
1114
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start-async?${searchParams.toString()}`, {
448
1115
  method: "POST",
449
1116
  body: params?.triggerData
450
1117
  });
451
1118
  }
452
1119
  /**
453
- * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
1120
+ * Resumes a suspended legacy workflow step asynchronously and returns a promise that resolves when the workflow is complete
454
1121
  * @param params - Object containing the runId, stepId, and context
455
1122
  * @returns Promise containing the workflow resume results
456
1123
  */
457
1124
  resumeAsync(params) {
458
- return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
1125
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume-async?runId=${params.runId}`, {
459
1126
  method: "POST",
460
1127
  body: {
461
1128
  stepId: params.stepId,
@@ -509,16 +1176,16 @@ var Workflow = class extends BaseResource {
509
1176
  }
510
1177
  }
511
1178
  /**
512
- * Watches workflow transitions in real-time
1179
+ * Watches legacy workflow transitions in real-time
513
1180
  * @param runId - Optional run ID to filter the watch stream
514
- * @returns AsyncGenerator that yields parsed records from the workflow watch stream
1181
+ * @returns AsyncGenerator that yields parsed records from the legacy workflow watch stream
515
1182
  */
516
1183
  async watch({ runId }, onRecord) {
517
- const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
1184
+ const response = await this.request(`/api/workflows/legacy/${this.workflowId}/watch?runId=${runId}`, {
518
1185
  stream: true
519
1186
  });
520
1187
  if (!response.ok) {
521
- throw new Error(`Failed to watch workflow: ${response.statusText}`);
1188
+ throw new Error(`Failed to watch legacy workflow: ${response.statusText}`);
522
1189
  }
523
1190
  if (!response.body) {
524
1191
  throw new Error("Response body is null");
@@ -530,7 +1197,7 @@ var Workflow = class extends BaseResource {
530
1197
  };
531
1198
 
532
1199
  // src/resources/tool.ts
533
- var Tool = class extends BaseResource {
1200
+ var Tool2 = class extends BaseResource {
534
1201
  constructor(options, toolId) {
535
1202
  super(options);
536
1203
  this.toolId = toolId;
@@ -552,22 +1219,26 @@ var Tool = class extends BaseResource {
552
1219
  if (params.runId) {
553
1220
  url.set("runId", params.runId);
554
1221
  }
1222
+ const body = {
1223
+ data: params.data,
1224
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
1225
+ };
555
1226
  return this.request(`/api/tools/${this.toolId}/execute?${url.toString()}`, {
556
1227
  method: "POST",
557
- body: params.data
1228
+ body
558
1229
  });
559
1230
  }
560
1231
  };
561
1232
 
562
- // src/resources/vnext-workflow.ts
1233
+ // src/resources/workflow.ts
563
1234
  var RECORD_SEPARATOR2 = "";
564
- var VNextWorkflow = class extends BaseResource {
1235
+ var Workflow = class extends BaseResource {
565
1236
  constructor(options, workflowId) {
566
1237
  super(options);
567
1238
  this.workflowId = workflowId;
568
1239
  }
569
1240
  /**
570
- * Creates an async generator that processes a readable stream and yields vNext workflow records
1241
+ * Creates an async generator that processes a readable stream and yields workflow records
571
1242
  * separated by the Record Separator character (\x1E)
572
1243
  *
573
1244
  * @param stream - The readable stream to process
@@ -612,21 +1283,79 @@ var VNextWorkflow = class extends BaseResource {
612
1283
  }
613
1284
  }
614
1285
  /**
615
- * Retrieves details about the vNext workflow
616
- * @returns Promise containing vNext workflow details including steps and graphs
1286
+ * Retrieves details about the workflow
1287
+ * @returns Promise containing workflow details including steps and graphs
617
1288
  */
618
1289
  details() {
619
- return this.request(`/api/workflows/v-next/${this.workflowId}`);
1290
+ return this.request(`/api/workflows/${this.workflowId}`);
1291
+ }
1292
+ /**
1293
+ * Retrieves all runs for a workflow
1294
+ * @param params - Parameters for filtering runs
1295
+ * @returns Promise containing workflow runs array
1296
+ */
1297
+ runs(params) {
1298
+ const searchParams = new URLSearchParams();
1299
+ if (params?.fromDate) {
1300
+ searchParams.set("fromDate", params.fromDate.toISOString());
1301
+ }
1302
+ if (params?.toDate) {
1303
+ searchParams.set("toDate", params.toDate.toISOString());
1304
+ }
1305
+ if (params?.limit !== null && params?.limit !== void 0 && !isNaN(Number(params?.limit))) {
1306
+ searchParams.set("limit", String(params.limit));
1307
+ }
1308
+ if (params?.offset !== null && params?.offset !== void 0 && !isNaN(Number(params?.offset))) {
1309
+ searchParams.set("offset", String(params.offset));
1310
+ }
1311
+ if (params?.resourceId) {
1312
+ searchParams.set("resourceId", params.resourceId);
1313
+ }
1314
+ if (searchParams.size) {
1315
+ return this.request(`/api/workflows/${this.workflowId}/runs?${searchParams}`);
1316
+ } else {
1317
+ return this.request(`/api/workflows/${this.workflowId}/runs`);
1318
+ }
1319
+ }
1320
+ /**
1321
+ * Retrieves a specific workflow run by its ID
1322
+ * @param runId - The ID of the workflow run to retrieve
1323
+ * @returns Promise containing the workflow run details
1324
+ */
1325
+ runById(runId) {
1326
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}`);
1327
+ }
1328
+ /**
1329
+ * Retrieves the execution result for a specific workflow run by its ID
1330
+ * @param runId - The ID of the workflow run to retrieve the execution result for
1331
+ * @returns Promise containing the workflow run execution result
1332
+ */
1333
+ runExecutionResult(runId) {
1334
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/execution-result`);
1335
+ }
1336
+ /**
1337
+ * Cancels a specific workflow run by its ID
1338
+ * @param runId - The ID of the workflow run to cancel
1339
+ * @returns Promise containing a success message
1340
+ */
1341
+ cancelRun(runId) {
1342
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/cancel`, {
1343
+ method: "POST"
1344
+ });
620
1345
  }
621
1346
  /**
622
- * Retrieves all runs for a vNext workflow
623
- * @returns Promise containing vNext workflow runs array
1347
+ * Sends an event to a specific workflow run by its ID
1348
+ * @param params - Object containing the runId, event and data
1349
+ * @returns Promise containing a success message
624
1350
  */
625
- runs() {
626
- return this.request(`/api/workflows/v-next/${this.workflowId}/runs`);
1351
+ sendRunEvent(params) {
1352
+ return this.request(`/api/workflows/${this.workflowId}/runs/${params.runId}/send-event`, {
1353
+ method: "POST",
1354
+ body: { event: params.event, data: params.data }
1355
+ });
627
1356
  }
628
1357
  /**
629
- * Creates a new vNext workflow run
1358
+ * Creates a new workflow run
630
1359
  * @param params - Optional object containing the optional runId
631
1360
  * @returns Promise containing the runId of the created run
632
1361
  */
@@ -635,23 +1364,24 @@ var VNextWorkflow = class extends BaseResource {
635
1364
  if (!!params?.runId) {
636
1365
  searchParams.set("runId", params.runId);
637
1366
  }
638
- return this.request(`/api/workflows/v-next/${this.workflowId}/create-run?${searchParams.toString()}`, {
1367
+ return this.request(`/api/workflows/${this.workflowId}/create-run?${searchParams.toString()}`, {
639
1368
  method: "POST"
640
1369
  });
641
1370
  }
642
1371
  /**
643
- * Starts a vNext workflow run synchronously without waiting for the workflow to complete
1372
+ * Starts a workflow run synchronously without waiting for the workflow to complete
644
1373
  * @param params - Object containing the runId, inputData and runtimeContext
645
1374
  * @returns Promise containing success message
646
1375
  */
647
1376
  start(params) {
648
- return this.request(`/api/workflows/v-next/${this.workflowId}/start?runId=${params.runId}`, {
1377
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1378
+ return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
649
1379
  method: "POST",
650
- body: { inputData: params?.inputData, runtimeContext: params.runtimeContext }
1380
+ body: { inputData: params?.inputData, runtimeContext }
651
1381
  });
652
1382
  }
653
1383
  /**
654
- * Resumes a suspended vNext workflow step synchronously without waiting for the vNext workflow to complete
1384
+ * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
655
1385
  * @param params - Object containing the runId, step, resumeData and runtimeContext
656
1386
  * @returns Promise containing success message
657
1387
  */
@@ -659,9 +1389,10 @@ var VNextWorkflow = class extends BaseResource {
659
1389
  step,
660
1390
  runId,
661
1391
  resumeData,
662
- runtimeContext
1392
+ ...rest
663
1393
  }) {
664
- return this.request(`/api/workflows/v-next/${this.workflowId}/resume?runId=${runId}`, {
1394
+ const runtimeContext = parseClientRuntimeContext(rest.runtimeContext);
1395
+ return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
665
1396
  method: "POST",
666
1397
  stream: true,
667
1398
  body: {
@@ -672,68 +1403,441 @@ var VNextWorkflow = class extends BaseResource {
672
1403
  });
673
1404
  }
674
1405
  /**
675
- * Starts a vNext workflow run asynchronously and returns a promise that resolves when the vNext workflow is complete
1406
+ * Starts a workflow run asynchronously and returns a promise that resolves when the workflow is complete
676
1407
  * @param params - Object containing the optional runId, inputData and runtimeContext
677
- * @returns Promise containing the vNext workflow execution results
1408
+ * @returns Promise containing the workflow execution results
678
1409
  */
679
1410
  startAsync(params) {
680
1411
  const searchParams = new URLSearchParams();
681
1412
  if (!!params?.runId) {
682
1413
  searchParams.set("runId", params.runId);
683
1414
  }
684
- return this.request(`/api/workflows/v-next/${this.workflowId}/start-async?${searchParams.toString()}`, {
1415
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1416
+ return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
685
1417
  method: "POST",
686
- body: { inputData: params.inputData, runtimeContext: params.runtimeContext }
1418
+ body: { inputData: params.inputData, runtimeContext }
1419
+ });
1420
+ }
1421
+ /**
1422
+ * Starts a workflow run and returns a stream
1423
+ * @param params - Object containing the optional runId, inputData and runtimeContext
1424
+ * @returns Promise containing the workflow execution results
1425
+ */
1426
+ async stream(params) {
1427
+ const searchParams = new URLSearchParams();
1428
+ if (!!params?.runId) {
1429
+ searchParams.set("runId", params.runId);
1430
+ }
1431
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1432
+ const response = await this.request(
1433
+ `/api/workflows/${this.workflowId}/stream?${searchParams.toString()}`,
1434
+ {
1435
+ method: "POST",
1436
+ body: { inputData: params.inputData, runtimeContext },
1437
+ stream: true
1438
+ }
1439
+ );
1440
+ if (!response.ok) {
1441
+ throw new Error(`Failed to stream vNext workflow: ${response.statusText}`);
1442
+ }
1443
+ if (!response.body) {
1444
+ throw new Error("Response body is null");
1445
+ }
1446
+ const transformStream = new TransformStream({
1447
+ start() {
1448
+ },
1449
+ async transform(chunk, controller) {
1450
+ try {
1451
+ const decoded = new TextDecoder().decode(chunk);
1452
+ const chunks = decoded.split(RECORD_SEPARATOR2);
1453
+ for (const chunk2 of chunks) {
1454
+ if (chunk2) {
1455
+ try {
1456
+ const parsedChunk = JSON.parse(chunk2);
1457
+ controller.enqueue(parsedChunk);
1458
+ } catch {
1459
+ }
1460
+ }
1461
+ }
1462
+ } catch {
1463
+ }
1464
+ }
687
1465
  });
1466
+ return response.body.pipeThrough(transformStream);
688
1467
  }
689
1468
  /**
690
- * Resumes a suspended vNext workflow step asynchronously and returns a promise that resolves when the vNext workflow is complete
1469
+ * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
691
1470
  * @param params - Object containing the runId, step, resumeData and runtimeContext
692
- * @returns Promise containing the vNext workflow resume results
1471
+ * @returns Promise containing the workflow resume results
693
1472
  */
694
1473
  resumeAsync(params) {
695
- return this.request(`/api/workflows/v-next/${this.workflowId}/resume-async?runId=${params.runId}`, {
1474
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1475
+ return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
696
1476
  method: "POST",
697
1477
  body: {
698
1478
  step: params.step,
699
1479
  resumeData: params.resumeData,
700
- runtimeContext: params.runtimeContext
1480
+ runtimeContext
701
1481
  }
702
1482
  });
703
1483
  }
704
1484
  /**
705
- * Watches vNext workflow transitions in real-time
1485
+ * Watches workflow transitions in real-time
706
1486
  * @param runId - Optional run ID to filter the watch stream
707
- * @returns AsyncGenerator that yields parsed records from the vNext workflow watch stream
1487
+ * @returns AsyncGenerator that yields parsed records from the workflow watch stream
708
1488
  */
709
1489
  async watch({ runId }, onRecord) {
710
- const response = await this.request(`/api/workflows/v-next/${this.workflowId}/watch?runId=${runId}`, {
1490
+ const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
711
1491
  stream: true
712
1492
  });
713
1493
  if (!response.ok) {
714
- throw new Error(`Failed to watch vNext workflow: ${response.statusText}`);
1494
+ throw new Error(`Failed to watch workflow: ${response.statusText}`);
715
1495
  }
716
1496
  if (!response.body) {
717
1497
  throw new Error("Response body is null");
718
1498
  }
719
1499
  for await (const record of this.streamProcessor(response.body)) {
720
- onRecord(record);
1500
+ if (typeof record === "string") {
1501
+ onRecord(JSON.parse(record));
1502
+ } else {
1503
+ onRecord(record);
1504
+ }
721
1505
  }
722
1506
  }
723
- };
724
-
725
- // src/client.ts
726
- var MastraClient = class extends BaseResource {
727
- constructor(options) {
728
- super(options);
729
- }
730
1507
  /**
731
- * Retrieves all available agents
732
- * @returns Promise containing map of agent IDs to agent details
1508
+ * Creates a new ReadableStream from an iterable or async iterable of objects,
1509
+ * serializing each as JSON and separating them with the record separator (\x1E).
1510
+ *
1511
+ * @param records - An iterable or async iterable of objects to stream
1512
+ * @returns A ReadableStream emitting the records as JSON strings separated by the record separator
733
1513
  */
734
- getAgents() {
1514
+ static createRecordStream(records) {
1515
+ const encoder = new TextEncoder();
1516
+ return new ReadableStream({
1517
+ async start(controller) {
1518
+ try {
1519
+ for await (const record of records) {
1520
+ const json = JSON.stringify(record) + RECORD_SEPARATOR2;
1521
+ controller.enqueue(encoder.encode(json));
1522
+ }
1523
+ controller.close();
1524
+ } catch (err) {
1525
+ controller.error(err);
1526
+ }
1527
+ }
1528
+ });
1529
+ }
1530
+ };
1531
+
1532
+ // src/resources/a2a.ts
1533
+ var A2A = class extends BaseResource {
1534
+ constructor(options, agentId) {
1535
+ super(options);
1536
+ this.agentId = agentId;
1537
+ }
1538
+ /**
1539
+ * Get the agent card with metadata about the agent
1540
+ * @returns Promise containing the agent card information
1541
+ */
1542
+ async getCard() {
1543
+ return this.request(`/.well-known/${this.agentId}/agent.json`);
1544
+ }
1545
+ /**
1546
+ * Send a message to the agent and get a response
1547
+ * @param params - Parameters for the task
1548
+ * @returns Promise containing the task response
1549
+ */
1550
+ async sendMessage(params) {
1551
+ const response = await this.request(`/a2a/${this.agentId}`, {
1552
+ method: "POST",
1553
+ body: {
1554
+ method: "tasks/send",
1555
+ params
1556
+ }
1557
+ });
1558
+ return { task: response.result };
1559
+ }
1560
+ /**
1561
+ * Get the status and result of a task
1562
+ * @param params - Parameters for querying the task
1563
+ * @returns Promise containing the task response
1564
+ */
1565
+ async getTask(params) {
1566
+ const response = await this.request(`/a2a/${this.agentId}`, {
1567
+ method: "POST",
1568
+ body: {
1569
+ method: "tasks/get",
1570
+ params
1571
+ }
1572
+ });
1573
+ return response.result;
1574
+ }
1575
+ /**
1576
+ * Cancel a running task
1577
+ * @param params - Parameters identifying the task to cancel
1578
+ * @returns Promise containing the task response
1579
+ */
1580
+ async cancelTask(params) {
1581
+ return this.request(`/a2a/${this.agentId}`, {
1582
+ method: "POST",
1583
+ body: {
1584
+ method: "tasks/cancel",
1585
+ params
1586
+ }
1587
+ });
1588
+ }
1589
+ /**
1590
+ * Send a message and subscribe to streaming updates (not fully implemented)
1591
+ * @param params - Parameters for the task
1592
+ * @returns Promise containing the task response
1593
+ */
1594
+ async sendAndSubscribe(params) {
1595
+ return this.request(`/a2a/${this.agentId}`, {
1596
+ method: "POST",
1597
+ body: {
1598
+ method: "tasks/sendSubscribe",
1599
+ params
1600
+ },
1601
+ stream: true
1602
+ });
1603
+ }
1604
+ };
1605
+
1606
+ // src/resources/mcp-tool.ts
1607
+ var MCPTool = class extends BaseResource {
1608
+ serverId;
1609
+ toolId;
1610
+ constructor(options, serverId, toolId) {
1611
+ super(options);
1612
+ this.serverId = serverId;
1613
+ this.toolId = toolId;
1614
+ }
1615
+ /**
1616
+ * Retrieves details about this specific tool from the MCP server.
1617
+ * @returns Promise containing the tool's information (name, description, schema).
1618
+ */
1619
+ details() {
1620
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}`);
1621
+ }
1622
+ /**
1623
+ * Executes this specific tool on the MCP server.
1624
+ * @param params - Parameters for tool execution, including data/args and optional runtimeContext.
1625
+ * @returns Promise containing the result of the tool execution.
1626
+ */
1627
+ execute(params) {
1628
+ const body = {};
1629
+ if (params.data !== void 0) body.data = params.data;
1630
+ if (params.runtimeContext !== void 0) {
1631
+ body.runtimeContext = params.runtimeContext;
1632
+ }
1633
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}/execute`, {
1634
+ method: "POST",
1635
+ body: Object.keys(body).length > 0 ? body : void 0
1636
+ });
1637
+ }
1638
+ };
1639
+
1640
+ // src/resources/vNextNetwork.ts
1641
+ var RECORD_SEPARATOR3 = "";
1642
+ var VNextNetwork = class extends BaseResource {
1643
+ constructor(options, networkId) {
1644
+ super(options);
1645
+ this.networkId = networkId;
1646
+ }
1647
+ /**
1648
+ * Retrieves details about the network
1649
+ * @returns Promise containing vNext network details
1650
+ */
1651
+ details() {
1652
+ return this.request(`/api/networks/v-next/${this.networkId}`);
1653
+ }
1654
+ /**
1655
+ * Generates a response from the v-next network
1656
+ * @param params - Generation parameters including message
1657
+ * @returns Promise containing the generated response
1658
+ */
1659
+ generate(params) {
1660
+ return this.request(`/api/networks/v-next/${this.networkId}/generate`, {
1661
+ method: "POST",
1662
+ body: params
1663
+ });
1664
+ }
1665
+ /**
1666
+ * Generates a response from the v-next network using multiple primitives
1667
+ * @param params - Generation parameters including message
1668
+ * @returns Promise containing the generated response
1669
+ */
1670
+ loop(params) {
1671
+ return this.request(`/api/networks/v-next/${this.networkId}/loop`, {
1672
+ method: "POST",
1673
+ body: params
1674
+ });
1675
+ }
1676
+ async *streamProcessor(stream) {
1677
+ const reader = stream.getReader();
1678
+ let doneReading = false;
1679
+ let buffer = "";
1680
+ try {
1681
+ while (!doneReading) {
1682
+ const { done, value } = await reader.read();
1683
+ doneReading = done;
1684
+ if (done && !value) continue;
1685
+ try {
1686
+ const decoded = value ? new TextDecoder().decode(value) : "";
1687
+ const chunks = (buffer + decoded).split(RECORD_SEPARATOR3);
1688
+ buffer = chunks.pop() || "";
1689
+ for (const chunk of chunks) {
1690
+ if (chunk) {
1691
+ if (typeof chunk === "string") {
1692
+ try {
1693
+ const parsedChunk = JSON.parse(chunk);
1694
+ yield parsedChunk;
1695
+ } catch {
1696
+ }
1697
+ }
1698
+ }
1699
+ }
1700
+ } catch {
1701
+ }
1702
+ }
1703
+ if (buffer) {
1704
+ try {
1705
+ yield JSON.parse(buffer);
1706
+ } catch {
1707
+ }
1708
+ }
1709
+ } finally {
1710
+ reader.cancel().catch(() => {
1711
+ });
1712
+ }
1713
+ }
1714
+ /**
1715
+ * Streams a response from the v-next network
1716
+ * @param params - Stream parameters including message
1717
+ * @returns Promise containing the results
1718
+ */
1719
+ async stream(params, onRecord) {
1720
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/stream`, {
1721
+ method: "POST",
1722
+ body: params,
1723
+ stream: true
1724
+ });
1725
+ if (!response.ok) {
1726
+ throw new Error(`Failed to stream vNext network: ${response.statusText}`);
1727
+ }
1728
+ if (!response.body) {
1729
+ throw new Error("Response body is null");
1730
+ }
1731
+ for await (const record of this.streamProcessor(response.body)) {
1732
+ if (typeof record === "string") {
1733
+ onRecord(JSON.parse(record));
1734
+ } else {
1735
+ onRecord(record);
1736
+ }
1737
+ }
1738
+ }
1739
+ /**
1740
+ * Streams a response from the v-next network loop
1741
+ * @param params - Stream parameters including message
1742
+ * @returns Promise containing the results
1743
+ */
1744
+ async loopStream(params, onRecord) {
1745
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/loop-stream`, {
1746
+ method: "POST",
1747
+ body: params,
1748
+ stream: true
1749
+ });
1750
+ if (!response.ok) {
1751
+ throw new Error(`Failed to stream vNext network loop: ${response.statusText}`);
1752
+ }
1753
+ if (!response.body) {
1754
+ throw new Error("Response body is null");
1755
+ }
1756
+ for await (const record of this.streamProcessor(response.body)) {
1757
+ if (typeof record === "string") {
1758
+ onRecord(JSON.parse(record));
1759
+ } else {
1760
+ onRecord(record);
1761
+ }
1762
+ }
1763
+ }
1764
+ };
1765
+
1766
+ // src/resources/network-memory-thread.ts
1767
+ var NetworkMemoryThread = class extends BaseResource {
1768
+ constructor(options, threadId, networkId) {
1769
+ super(options);
1770
+ this.threadId = threadId;
1771
+ this.networkId = networkId;
1772
+ }
1773
+ /**
1774
+ * Retrieves the memory thread details
1775
+ * @returns Promise containing thread details including title and metadata
1776
+ */
1777
+ get() {
1778
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`);
1779
+ }
1780
+ /**
1781
+ * Updates the memory thread properties
1782
+ * @param params - Update parameters including title and metadata
1783
+ * @returns Promise containing updated thread details
1784
+ */
1785
+ update(params) {
1786
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
1787
+ method: "PATCH",
1788
+ body: params
1789
+ });
1790
+ }
1791
+ /**
1792
+ * Deletes the memory thread
1793
+ * @returns Promise containing deletion result
1794
+ */
1795
+ delete() {
1796
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
1797
+ method: "DELETE"
1798
+ });
1799
+ }
1800
+ /**
1801
+ * Retrieves messages associated with the thread
1802
+ * @param params - Optional parameters including limit for number of messages to retrieve
1803
+ * @returns Promise containing thread messages and UI messages
1804
+ */
1805
+ getMessages(params) {
1806
+ const query = new URLSearchParams({
1807
+ networkId: this.networkId,
1808
+ ...params?.limit ? { limit: params.limit.toString() } : {}
1809
+ });
1810
+ return this.request(`/api/memory/network/threads/${this.threadId}/messages?${query.toString()}`);
1811
+ }
1812
+ };
1813
+
1814
+ // src/client.ts
1815
+ var MastraClient = class extends BaseResource {
1816
+ constructor(options) {
1817
+ super(options);
1818
+ }
1819
+ /**
1820
+ * Retrieves all available agents
1821
+ * @returns Promise containing map of agent IDs to agent details
1822
+ */
1823
+ getAgents() {
735
1824
  return this.request("/api/agents");
736
1825
  }
1826
+ async getAGUI({ resourceId }) {
1827
+ const agents = await this.getAgents();
1828
+ return Object.entries(agents).reduce(
1829
+ (acc, [agentId]) => {
1830
+ const agent = this.getAgent(agentId);
1831
+ acc[agentId] = new AGUIAdapter({
1832
+ agentId,
1833
+ agent,
1834
+ resourceId
1835
+ });
1836
+ return acc;
1837
+ },
1838
+ {}
1839
+ );
1840
+ }
737
1841
  /**
738
1842
  * Gets an agent instance by ID
739
1843
  * @param agentId - ID of the agent to retrieve
@@ -784,6 +1888,48 @@ var MastraClient = class extends BaseResource {
784
1888
  getMemoryStatus(agentId) {
785
1889
  return this.request(`/api/memory/status?agentId=${agentId}`);
786
1890
  }
1891
+ /**
1892
+ * Retrieves memory threads for a resource
1893
+ * @param params - Parameters containing the resource ID
1894
+ * @returns Promise containing array of memory threads
1895
+ */
1896
+ getNetworkMemoryThreads(params) {
1897
+ return this.request(`/api/memory/network/threads?resourceid=${params.resourceId}&networkId=${params.networkId}`);
1898
+ }
1899
+ /**
1900
+ * Creates a new memory thread
1901
+ * @param params - Parameters for creating the memory thread
1902
+ * @returns Promise containing the created memory thread
1903
+ */
1904
+ createNetworkMemoryThread(params) {
1905
+ return this.request(`/api/memory/network/threads?networkId=${params.networkId}`, { method: "POST", body: params });
1906
+ }
1907
+ /**
1908
+ * Gets a memory thread instance by ID
1909
+ * @param threadId - ID of the memory thread to retrieve
1910
+ * @returns MemoryThread instance
1911
+ */
1912
+ getNetworkMemoryThread(threadId, networkId) {
1913
+ return new NetworkMemoryThread(this.options, threadId, networkId);
1914
+ }
1915
+ /**
1916
+ * Saves messages to memory
1917
+ * @param params - Parameters containing messages to save
1918
+ * @returns Promise containing the saved messages
1919
+ */
1920
+ saveNetworkMessageToMemory(params) {
1921
+ return this.request(`/api/memory/network/save-messages?networkId=${params.networkId}`, {
1922
+ method: "POST",
1923
+ body: params
1924
+ });
1925
+ }
1926
+ /**
1927
+ * Gets the status of the memory system
1928
+ * @returns Promise containing memory system status
1929
+ */
1930
+ getNetworkMemoryStatus(networkId) {
1931
+ return this.request(`/api/memory/network/status?networkId=${networkId}`);
1932
+ }
787
1933
  /**
788
1934
  * Retrieves all available tools
789
1935
  * @returns Promise containing map of tool IDs to tool details
@@ -797,7 +1943,22 @@ var MastraClient = class extends BaseResource {
797
1943
  * @returns Tool instance
798
1944
  */
799
1945
  getTool(toolId) {
800
- return new Tool(this.options, toolId);
1946
+ return new Tool2(this.options, toolId);
1947
+ }
1948
+ /**
1949
+ * Retrieves all available legacy workflows
1950
+ * @returns Promise containing map of legacy workflow IDs to legacy workflow details
1951
+ */
1952
+ getLegacyWorkflows() {
1953
+ return this.request("/api/workflows/legacy");
1954
+ }
1955
+ /**
1956
+ * Gets a legacy workflow instance by ID
1957
+ * @param workflowId - ID of the legacy workflow to retrieve
1958
+ * @returns Legacy Workflow instance
1959
+ */
1960
+ getLegacyWorkflow(workflowId) {
1961
+ return new LegacyWorkflow(this.options, workflowId);
801
1962
  }
802
1963
  /**
803
1964
  * Retrieves all available workflows
@@ -814,21 +1975,6 @@ var MastraClient = class extends BaseResource {
814
1975
  getWorkflow(workflowId) {
815
1976
  return new Workflow(this.options, workflowId);
816
1977
  }
817
- /**
818
- * Retrieves all available vNext workflows
819
- * @returns Promise containing map of vNext workflow IDs to vNext workflow details
820
- */
821
- getVNextWorkflows() {
822
- return this.request("/api/workflows/v-next");
823
- }
824
- /**
825
- * Gets a vNext workflow instance by ID
826
- * @param workflowId - ID of the vNext workflow to retrieve
827
- * @returns vNext Workflow instance
828
- */
829
- getVNextWorkflow(workflowId) {
830
- return new VNextWorkflow(this.options, workflowId);
831
- }
832
1978
  /**
833
1979
  * Gets a vector instance by name
834
1980
  * @param vectorName - Name of the vector to retrieve
@@ -843,7 +1989,41 @@ var MastraClient = class extends BaseResource {
843
1989
  * @returns Promise containing array of log messages
844
1990
  */
845
1991
  getLogs(params) {
846
- return this.request(`/api/logs?transportId=${params.transportId}`);
1992
+ const { transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
1993
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
1994
+ const searchParams = new URLSearchParams();
1995
+ if (transportId) {
1996
+ searchParams.set("transportId", transportId);
1997
+ }
1998
+ if (fromDate) {
1999
+ searchParams.set("fromDate", fromDate.toISOString());
2000
+ }
2001
+ if (toDate) {
2002
+ searchParams.set("toDate", toDate.toISOString());
2003
+ }
2004
+ if (logLevel) {
2005
+ searchParams.set("logLevel", logLevel);
2006
+ }
2007
+ if (page) {
2008
+ searchParams.set("page", String(page));
2009
+ }
2010
+ if (perPage) {
2011
+ searchParams.set("perPage", String(perPage));
2012
+ }
2013
+ if (_filters) {
2014
+ if (Array.isArray(_filters)) {
2015
+ for (const filter of _filters) {
2016
+ searchParams.append("filters", filter);
2017
+ }
2018
+ } else {
2019
+ searchParams.set("filters", _filters);
2020
+ }
2021
+ }
2022
+ if (searchParams.size) {
2023
+ return this.request(`/api/logs?${searchParams}`);
2024
+ } else {
2025
+ return this.request(`/api/logs`);
2026
+ }
847
2027
  }
848
2028
  /**
849
2029
  * Gets logs for a specific run
@@ -851,7 +2031,44 @@ var MastraClient = class extends BaseResource {
851
2031
  * @returns Promise containing array of log messages
852
2032
  */
853
2033
  getLogForRun(params) {
854
- return this.request(`/api/logs/${params.runId}?transportId=${params.transportId}`);
2034
+ const { runId, transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
2035
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
2036
+ const searchParams = new URLSearchParams();
2037
+ if (runId) {
2038
+ searchParams.set("runId", runId);
2039
+ }
2040
+ if (transportId) {
2041
+ searchParams.set("transportId", transportId);
2042
+ }
2043
+ if (fromDate) {
2044
+ searchParams.set("fromDate", fromDate.toISOString());
2045
+ }
2046
+ if (toDate) {
2047
+ searchParams.set("toDate", toDate.toISOString());
2048
+ }
2049
+ if (logLevel) {
2050
+ searchParams.set("logLevel", logLevel);
2051
+ }
2052
+ if (page) {
2053
+ searchParams.set("page", String(page));
2054
+ }
2055
+ if (perPage) {
2056
+ searchParams.set("perPage", String(perPage));
2057
+ }
2058
+ if (_filters) {
2059
+ if (Array.isArray(_filters)) {
2060
+ for (const filter of _filters) {
2061
+ searchParams.append("filters", filter);
2062
+ }
2063
+ } else {
2064
+ searchParams.set("filters", _filters);
2065
+ }
2066
+ }
2067
+ if (searchParams.size) {
2068
+ return this.request(`/api/logs/${runId}?${searchParams}`);
2069
+ } else {
2070
+ return this.request(`/api/logs/${runId}`);
2071
+ }
855
2072
  }
856
2073
  /**
857
2074
  * List of all log transports
@@ -866,7 +2083,7 @@ var MastraClient = class extends BaseResource {
866
2083
  * @returns Promise containing telemetry data
867
2084
  */
868
2085
  getTelemetry(params) {
869
- const { name, scope, page, perPage, attribute } = params || {};
2086
+ const { name, scope, page, perPage, attribute, fromDate, toDate } = params || {};
870
2087
  const _attribute = attribute ? Object.entries(attribute).map(([key, value]) => `${key}:${value}`) : [];
871
2088
  const searchParams = new URLSearchParams();
872
2089
  if (name) {
@@ -890,6 +2107,12 @@ var MastraClient = class extends BaseResource {
890
2107
  searchParams.set("attribute", _attribute);
891
2108
  }
892
2109
  }
2110
+ if (fromDate) {
2111
+ searchParams.set("fromDate", fromDate.toISOString());
2112
+ }
2113
+ if (toDate) {
2114
+ searchParams.set("toDate", toDate.toISOString());
2115
+ }
893
2116
  if (searchParams.size) {
894
2117
  return this.request(`/api/telemetry?${searchParams}`);
895
2118
  } else {
@@ -903,6 +2126,13 @@ var MastraClient = class extends BaseResource {
903
2126
  getNetworks() {
904
2127
  return this.request("/api/networks");
905
2128
  }
2129
+ /**
2130
+ * Retrieves all available vNext networks
2131
+ * @returns Promise containing map of vNext network IDs to vNext network details
2132
+ */
2133
+ getVNextNetworks() {
2134
+ return this.request("/api/networks/v-next");
2135
+ }
906
2136
  /**
907
2137
  * Gets a network instance by ID
908
2138
  * @param networkId - ID of the network to retrieve
@@ -911,6 +2141,70 @@ var MastraClient = class extends BaseResource {
911
2141
  getNetwork(networkId) {
912
2142
  return new Network(this.options, networkId);
913
2143
  }
2144
+ /**
2145
+ * Gets a vNext network instance by ID
2146
+ * @param networkId - ID of the vNext network to retrieve
2147
+ * @returns vNext Network instance
2148
+ */
2149
+ getVNextNetwork(networkId) {
2150
+ return new VNextNetwork(this.options, networkId);
2151
+ }
2152
+ /**
2153
+ * Retrieves a list of available MCP servers.
2154
+ * @param params - Optional parameters for pagination (limit, offset).
2155
+ * @returns Promise containing the list of MCP servers and pagination info.
2156
+ */
2157
+ getMcpServers(params) {
2158
+ const searchParams = new URLSearchParams();
2159
+ if (params?.limit !== void 0) {
2160
+ searchParams.set("limit", String(params.limit));
2161
+ }
2162
+ if (params?.offset !== void 0) {
2163
+ searchParams.set("offset", String(params.offset));
2164
+ }
2165
+ const queryString = searchParams.toString();
2166
+ return this.request(`/api/mcp/v0/servers${queryString ? `?${queryString}` : ""}`);
2167
+ }
2168
+ /**
2169
+ * Retrieves detailed information for a specific MCP server.
2170
+ * @param serverId - The ID of the MCP server to retrieve.
2171
+ * @param params - Optional parameters, e.g., specific version.
2172
+ * @returns Promise containing the detailed MCP server information.
2173
+ */
2174
+ getMcpServerDetails(serverId, params) {
2175
+ const searchParams = new URLSearchParams();
2176
+ if (params?.version) {
2177
+ searchParams.set("version", params.version);
2178
+ }
2179
+ const queryString = searchParams.toString();
2180
+ return this.request(`/api/mcp/v0/servers/${serverId}${queryString ? `?${queryString}` : ""}`);
2181
+ }
2182
+ /**
2183
+ * Retrieves a list of tools for a specific MCP server.
2184
+ * @param serverId - The ID of the MCP server.
2185
+ * @returns Promise containing the list of tools.
2186
+ */
2187
+ getMcpServerTools(serverId) {
2188
+ return this.request(`/api/mcp/${serverId}/tools`);
2189
+ }
2190
+ /**
2191
+ * Gets an MCPTool resource instance for a specific tool on an MCP server.
2192
+ * This instance can then be used to fetch details or execute the tool.
2193
+ * @param serverId - The ID of the MCP server.
2194
+ * @param toolId - The ID of the tool.
2195
+ * @returns MCPTool instance.
2196
+ */
2197
+ getMcpServerTool(serverId, toolId) {
2198
+ return new MCPTool(this.options, serverId, toolId);
2199
+ }
2200
+ /**
2201
+ * Gets an A2A client for interacting with an agent via the A2A protocol
2202
+ * @param agentId - ID of the agent to interact with
2203
+ * @returns A2A client instance
2204
+ */
2205
+ getA2A(agentId) {
2206
+ return new A2A(this.options, agentId);
2207
+ }
914
2208
  };
915
2209
 
916
2210
  export { MastraClient };