@mastra/client-js 0.0.0-message-ordering-20250415215612 → 0.0.0-message-file-url-handling-fix-20250904234524

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.
Files changed (71) hide show
  1. package/CHANGELOG.md +1908 -3
  2. package/LICENSE.md +11 -42
  3. package/README.md +7 -4
  4. package/dist/client.d.ts +280 -0
  5. package/dist/client.d.ts.map +1 -0
  6. package/dist/example.d.ts +2 -0
  7. package/dist/example.d.ts.map +1 -0
  8. package/dist/index.cjs +2597 -106
  9. package/dist/index.cjs.map +1 -0
  10. package/dist/index.d.ts +4 -585
  11. package/dist/index.d.ts.map +1 -0
  12. package/dist/index.js +2574 -87
  13. package/dist/index.js.map +1 -0
  14. package/dist/resources/a2a.d.ts +41 -0
  15. package/dist/resources/a2a.d.ts.map +1 -0
  16. package/dist/resources/agent-builder.d.ts +161 -0
  17. package/dist/resources/agent-builder.d.ts.map +1 -0
  18. package/dist/resources/agent.d.ts +155 -0
  19. package/dist/resources/agent.d.ts.map +1 -0
  20. package/dist/resources/base.d.ts +13 -0
  21. package/dist/resources/base.d.ts.map +1 -0
  22. package/dist/resources/index.d.ts +13 -0
  23. package/dist/resources/index.d.ts.map +1 -0
  24. package/dist/resources/legacy-workflow.d.ts +87 -0
  25. package/dist/resources/legacy-workflow.d.ts.map +1 -0
  26. package/dist/resources/mcp-tool.d.ts +27 -0
  27. package/dist/resources/mcp-tool.d.ts.map +1 -0
  28. package/dist/resources/memory-thread.d.ts +53 -0
  29. package/dist/resources/memory-thread.d.ts.map +1 -0
  30. package/dist/resources/network-memory-thread.d.ts +47 -0
  31. package/dist/resources/network-memory-thread.d.ts.map +1 -0
  32. package/dist/resources/network.d.ts +30 -0
  33. package/dist/resources/network.d.ts.map +1 -0
  34. package/dist/resources/observability.d.ts +19 -0
  35. package/dist/resources/observability.d.ts.map +1 -0
  36. package/dist/resources/tool.d.ts +23 -0
  37. package/dist/resources/tool.d.ts.map +1 -0
  38. package/dist/resources/vNextNetwork.d.ts +42 -0
  39. package/dist/resources/vNextNetwork.d.ts.map +1 -0
  40. package/dist/resources/vector.d.ts +48 -0
  41. package/dist/resources/vector.d.ts.map +1 -0
  42. package/dist/resources/workflow.d.ts +154 -0
  43. package/dist/resources/workflow.d.ts.map +1 -0
  44. package/dist/types.d.ts +461 -0
  45. package/dist/types.d.ts.map +1 -0
  46. package/dist/utils/index.d.ts +3 -0
  47. package/dist/utils/index.d.ts.map +1 -0
  48. package/dist/utils/process-client-tools.d.ts +3 -0
  49. package/dist/utils/process-client-tools.d.ts.map +1 -0
  50. package/dist/utils/process-mastra-stream.d.ts +7 -0
  51. package/dist/utils/process-mastra-stream.d.ts.map +1 -0
  52. package/dist/utils/zod-to-json-schema.d.ts +3 -0
  53. package/dist/utils/zod-to-json-schema.d.ts.map +1 -0
  54. package/package.json +41 -18
  55. package/dist/index.d.cts +0 -585
  56. package/eslint.config.js +0 -6
  57. package/src/client.ts +0 -223
  58. package/src/example.ts +0 -65
  59. package/src/index.test.ts +0 -710
  60. package/src/index.ts +0 -2
  61. package/src/resources/agent.ts +0 -205
  62. package/src/resources/base.ts +0 -70
  63. package/src/resources/index.ts +0 -7
  64. package/src/resources/memory-thread.ts +0 -60
  65. package/src/resources/network.ts +0 -92
  66. package/src/resources/tool.ts +0 -32
  67. package/src/resources/vector.ts +0 -83
  68. package/src/resources/workflow.ts +0 -215
  69. package/src/types.ts +0 -224
  70. package/tsconfig.json +0 -5
  71. package/vitest.config.js +0 -8
package/dist/index.js CHANGED
@@ -1,8 +1,98 @@
1
- import { ZodSchema } from 'zod';
2
- import { zodToJsonSchema } from 'zod-to-json-schema';
3
- import { processDataStream } from '@ai-sdk/ui-utils';
1
+ import { processDataStream, parsePartialJson } from '@ai-sdk/ui-utils';
2
+ import { v4 } from '@lukeed/uuid';
3
+ import { RuntimeContext } from '@mastra/core/runtime-context';
4
+ import { isVercelTool } from '@mastra/core/tools/is-vercel-tool';
5
+ import { z } from 'zod';
6
+ import originalZodToJsonSchema from 'zod-to-json-schema';
4
7
 
5
8
  // src/resources/agent.ts
9
+ function parseClientRuntimeContext(runtimeContext) {
10
+ if (runtimeContext) {
11
+ if (runtimeContext instanceof RuntimeContext) {
12
+ return Object.fromEntries(runtimeContext.entries());
13
+ }
14
+ return runtimeContext;
15
+ }
16
+ return void 0;
17
+ }
18
+ function isZodType(value) {
19
+ return typeof value === "object" && value !== null && "_def" in value && "parse" in value && typeof value.parse === "function" && "safeParse" in value && typeof value.safeParse === "function";
20
+ }
21
+ function zodToJsonSchema(zodSchema) {
22
+ if (!isZodType(zodSchema)) {
23
+ return zodSchema;
24
+ }
25
+ if ("toJSONSchema" in z) {
26
+ const fn = "toJSONSchema";
27
+ return z[fn].call(z, zodSchema);
28
+ }
29
+ return originalZodToJsonSchema(zodSchema, { $refStrategy: "none" });
30
+ }
31
+
32
+ // src/utils/process-client-tools.ts
33
+ function processClientTools(clientTools) {
34
+ if (!clientTools) {
35
+ return void 0;
36
+ }
37
+ return Object.fromEntries(
38
+ Object.entries(clientTools).map(([key, value]) => {
39
+ if (isVercelTool(value)) {
40
+ return [
41
+ key,
42
+ {
43
+ ...value,
44
+ parameters: value.parameters ? zodToJsonSchema(value.parameters) : void 0
45
+ }
46
+ ];
47
+ } else {
48
+ return [
49
+ key,
50
+ {
51
+ ...value,
52
+ inputSchema: value.inputSchema ? zodToJsonSchema(value.inputSchema) : void 0,
53
+ outputSchema: value.outputSchema ? zodToJsonSchema(value.outputSchema) : void 0
54
+ }
55
+ ];
56
+ }
57
+ })
58
+ );
59
+ }
60
+
61
+ // src/utils/process-mastra-stream.ts
62
+ async function processMastraStream({
63
+ stream,
64
+ onChunk
65
+ }) {
66
+ const reader = stream.getReader();
67
+ const decoder = new TextDecoder();
68
+ let buffer = "";
69
+ try {
70
+ while (true) {
71
+ const { done, value } = await reader.read();
72
+ if (done) break;
73
+ buffer += decoder.decode(value, { stream: true });
74
+ const lines = buffer.split("\n\n");
75
+ buffer = lines.pop() || "";
76
+ for (const line of lines) {
77
+ if (line.startsWith("data: ")) {
78
+ const data = line.slice(6);
79
+ if (data === "[DONE]") {
80
+ console.log("\u{1F3C1} Stream finished");
81
+ return;
82
+ }
83
+ try {
84
+ const json = JSON.parse(data);
85
+ await onChunk(json);
86
+ } catch (error) {
87
+ console.error("\u274C JSON parse error:", error, "Data:", data);
88
+ }
89
+ }
90
+ }
91
+ }
92
+ } finally {
93
+ reader.releaseLock();
94
+ }
95
+ }
6
96
 
7
97
  // src/resources/base.ts
8
98
  var BaseResource = class {
@@ -18,18 +108,21 @@ var BaseResource = class {
18
108
  */
19
109
  async request(path, options = {}) {
20
110
  let lastError = null;
21
- const { baseUrl, retries = 3, backoffMs = 100, maxBackoffMs = 1e3, headers = {} } = this.options;
111
+ const { baseUrl, retries = 3, backoffMs = 100, maxBackoffMs = 1e3, headers = {}, credentials } = this.options;
22
112
  let delay = backoffMs;
23
113
  for (let attempt = 0; attempt <= retries; attempt++) {
24
114
  try {
25
- const response = await fetch(`${baseUrl}${path}`, {
115
+ const response = await fetch(`${baseUrl.replace(/\/$/, "")}${path}`, {
26
116
  ...options,
27
117
  headers: {
118
+ ...options.body && !(options.body instanceof FormData) && (options.method === "POST" || options.method === "PUT") ? { "content-type": "application/json" } : {},
28
119
  ...headers,
29
120
  ...options.headers
30
121
  // TODO: Bring this back once we figure out what we/users need to do to make this work with cross-origin requests
31
122
  // 'x-mastra-client-type': 'js',
32
123
  },
124
+ signal: this.options.abortSignal,
125
+ credentials: options.credentials ?? credentials,
33
126
  body: options.body instanceof FormData ? options.body : options.body ? JSON.stringify(options.body) : void 0
34
127
  });
35
128
  if (!response.ok) {
@@ -64,6 +157,63 @@ var BaseResource = class {
64
157
  };
65
158
 
66
159
  // src/resources/agent.ts
160
+ async function executeToolCallAndRespond({
161
+ response,
162
+ params,
163
+ runId,
164
+ resourceId,
165
+ threadId,
166
+ runtimeContext,
167
+ respondFn
168
+ }) {
169
+ if (response.finishReason === "tool-calls") {
170
+ const toolCalls = response.toolCalls;
171
+ if (!toolCalls || !Array.isArray(toolCalls)) {
172
+ return response;
173
+ }
174
+ for (const toolCall of toolCalls) {
175
+ const clientTool = params.clientTools?.[toolCall.toolName];
176
+ if (clientTool && clientTool.execute) {
177
+ const result = await clientTool.execute(
178
+ {
179
+ context: toolCall?.args,
180
+ runId,
181
+ resourceId,
182
+ threadId,
183
+ runtimeContext,
184
+ tracingContext: { currentSpan: void 0 }
185
+ },
186
+ {
187
+ messages: response.messages,
188
+ toolCallId: toolCall?.toolCallId
189
+ }
190
+ );
191
+ const updatedMessages = [
192
+ {
193
+ role: "user",
194
+ content: params.messages
195
+ },
196
+ ...response.response.messages,
197
+ {
198
+ role: "tool",
199
+ content: [
200
+ {
201
+ type: "tool-result",
202
+ toolCallId: toolCall.toolCallId,
203
+ toolName: toolCall.toolName,
204
+ result
205
+ }
206
+ ]
207
+ }
208
+ ];
209
+ return respondFn({
210
+ ...params,
211
+ messages: updatedMessages
212
+ });
213
+ }
214
+ }
215
+ }
216
+ }
67
217
  var AgentVoice = class extends BaseResource {
68
218
  constructor(options, agentId) {
69
219
  super(options);
@@ -110,6 +260,13 @@ var AgentVoice = class extends BaseResource {
110
260
  getSpeakers() {
111
261
  return this.request(`/api/agents/${this.agentId}/voice/speakers`);
112
262
  }
263
+ /**
264
+ * Get the listener configuration for the agent's voice provider
265
+ * @returns Promise containing a check if the agent has listening capabilities
266
+ */
267
+ getListener() {
268
+ return this.request(`/api/agents/${this.agentId}/voice/listener`);
269
+ }
113
270
  };
114
271
  var Agent = class extends BaseResource {
115
272
  constructor(options, agentId) {
@@ -125,21 +282,366 @@ var Agent = class extends BaseResource {
125
282
  details() {
126
283
  return this.request(`/api/agents/${this.agentId}`);
127
284
  }
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) {
285
+ async generate(params) {
286
+ console.warn(
287
+ "Deprecation NOTICE:Generate method will switch to use generateVNext implementation September 16th. Please use generateLegacy if you don't want to upgrade just yet."
288
+ );
289
+ return this.generateLegacy(params);
290
+ }
291
+ async generateLegacy(params) {
134
292
  const processedParams = {
135
293
  ...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
294
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
295
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
296
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
297
+ clientTools: processClientTools(params.clientTools)
138
298
  };
139
- return this.request(`/api/agents/${this.agentId}/generate`, {
140
- method: "POST",
141
- body: processedParams
299
+ const { runId, resourceId, threadId, runtimeContext } = processedParams;
300
+ const response = await this.request(
301
+ `/api/agents/${this.agentId}/generate-legacy`,
302
+ {
303
+ method: "POST",
304
+ body: processedParams
305
+ }
306
+ );
307
+ if (response.finishReason === "tool-calls") {
308
+ const toolCalls = response.toolCalls;
309
+ if (!toolCalls || !Array.isArray(toolCalls)) {
310
+ return response;
311
+ }
312
+ for (const toolCall of toolCalls) {
313
+ const clientTool = params.clientTools?.[toolCall.toolName];
314
+ if (clientTool && clientTool.execute) {
315
+ const result = await clientTool.execute(
316
+ {
317
+ context: toolCall?.args,
318
+ runId,
319
+ resourceId,
320
+ threadId,
321
+ runtimeContext,
322
+ tracingContext: { currentSpan: void 0 }
323
+ },
324
+ {
325
+ messages: response.messages,
326
+ toolCallId: toolCall?.toolCallId
327
+ }
328
+ );
329
+ const updatedMessages = [
330
+ {
331
+ role: "user",
332
+ content: params.messages
333
+ },
334
+ ...response.response.messages,
335
+ {
336
+ role: "tool",
337
+ content: [
338
+ {
339
+ type: "tool-result",
340
+ toolCallId: toolCall.toolCallId,
341
+ toolName: toolCall.toolName,
342
+ result
343
+ }
344
+ ]
345
+ }
346
+ ];
347
+ return this.generate({
348
+ ...params,
349
+ messages: updatedMessages
350
+ });
351
+ }
352
+ }
353
+ }
354
+ return response;
355
+ }
356
+ async generateVNext(params) {
357
+ const processedParams = {
358
+ ...params,
359
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
360
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
361
+ clientTools: processClientTools(params.clientTools)
362
+ };
363
+ const { runId, resourceId, threadId, runtimeContext } = processedParams;
364
+ const response = await this.request(
365
+ `/api/agents/${this.agentId}/generate/vnext`,
366
+ {
367
+ method: "POST",
368
+ body: processedParams
369
+ }
370
+ );
371
+ if (response.finishReason === "tool-calls") {
372
+ return executeToolCallAndRespond({
373
+ response,
374
+ params,
375
+ runId,
376
+ resourceId,
377
+ threadId,
378
+ runtimeContext,
379
+ respondFn: this.generateVNext.bind(this)
380
+ });
381
+ }
382
+ return response;
383
+ }
384
+ async processChatResponse({
385
+ stream,
386
+ update,
387
+ onToolCall,
388
+ onFinish,
389
+ getCurrentDate = () => /* @__PURE__ */ new Date(),
390
+ lastMessage
391
+ }) {
392
+ const replaceLastMessage = lastMessage?.role === "assistant";
393
+ let step = replaceLastMessage ? 1 + // find max step in existing tool invocations:
394
+ (lastMessage.toolInvocations?.reduce((max, toolInvocation) => {
395
+ return Math.max(max, toolInvocation.step ?? 0);
396
+ }, 0) ?? 0) : 0;
397
+ const message = replaceLastMessage ? structuredClone(lastMessage) : {
398
+ id: v4(),
399
+ createdAt: getCurrentDate(),
400
+ role: "assistant",
401
+ content: "",
402
+ parts: []
403
+ };
404
+ let currentTextPart = void 0;
405
+ let currentReasoningPart = void 0;
406
+ let currentReasoningTextDetail = void 0;
407
+ function updateToolInvocationPart(toolCallId, invocation) {
408
+ const part = message.parts.find(
409
+ (part2) => part2.type === "tool-invocation" && part2.toolInvocation.toolCallId === toolCallId
410
+ );
411
+ if (part != null) {
412
+ part.toolInvocation = invocation;
413
+ } else {
414
+ message.parts.push({
415
+ type: "tool-invocation",
416
+ toolInvocation: invocation
417
+ });
418
+ }
419
+ }
420
+ const data = [];
421
+ let messageAnnotations = replaceLastMessage ? lastMessage?.annotations : void 0;
422
+ const partialToolCalls = {};
423
+ let usage = {
424
+ completionTokens: NaN,
425
+ promptTokens: NaN,
426
+ totalTokens: NaN
427
+ };
428
+ let finishReason = "unknown";
429
+ function execUpdate() {
430
+ const copiedData = [...data];
431
+ if (messageAnnotations?.length) {
432
+ message.annotations = messageAnnotations;
433
+ }
434
+ const copiedMessage = {
435
+ // deep copy the message to ensure that deep changes (msg attachments) are updated
436
+ // with SolidJS. SolidJS uses referential integration of sub-objects to detect changes.
437
+ ...structuredClone(message),
438
+ // add a revision id to ensure that the message is updated with SWR. SWR uses a
439
+ // hashing approach by default to detect changes, but it only works for shallow
440
+ // changes. This is why we need to add a revision id to ensure that the message
441
+ // is updated with SWR (without it, the changes get stuck in SWR and are not
442
+ // forwarded to rendering):
443
+ revisionId: v4()
444
+ };
445
+ update({
446
+ message: copiedMessage,
447
+ data: copiedData,
448
+ replaceLastMessage
449
+ });
450
+ }
451
+ await processDataStream({
452
+ stream,
453
+ onTextPart(value) {
454
+ if (currentTextPart == null) {
455
+ currentTextPart = {
456
+ type: "text",
457
+ text: value
458
+ };
459
+ message.parts.push(currentTextPart);
460
+ } else {
461
+ currentTextPart.text += value;
462
+ }
463
+ message.content += value;
464
+ execUpdate();
465
+ },
466
+ onReasoningPart(value) {
467
+ if (currentReasoningTextDetail == null) {
468
+ currentReasoningTextDetail = { type: "text", text: value };
469
+ if (currentReasoningPart != null) {
470
+ currentReasoningPart.details.push(currentReasoningTextDetail);
471
+ }
472
+ } else {
473
+ currentReasoningTextDetail.text += value;
474
+ }
475
+ if (currentReasoningPart == null) {
476
+ currentReasoningPart = {
477
+ type: "reasoning",
478
+ reasoning: value,
479
+ details: [currentReasoningTextDetail]
480
+ };
481
+ message.parts.push(currentReasoningPart);
482
+ } else {
483
+ currentReasoningPart.reasoning += value;
484
+ }
485
+ message.reasoning = (message.reasoning ?? "") + value;
486
+ execUpdate();
487
+ },
488
+ onReasoningSignaturePart(value) {
489
+ if (currentReasoningTextDetail != null) {
490
+ currentReasoningTextDetail.signature = value.signature;
491
+ }
492
+ },
493
+ onRedactedReasoningPart(value) {
494
+ if (currentReasoningPart == null) {
495
+ currentReasoningPart = {
496
+ type: "reasoning",
497
+ reasoning: "",
498
+ details: []
499
+ };
500
+ message.parts.push(currentReasoningPart);
501
+ }
502
+ currentReasoningPart.details.push({
503
+ type: "redacted",
504
+ data: value.data
505
+ });
506
+ currentReasoningTextDetail = void 0;
507
+ execUpdate();
508
+ },
509
+ onFilePart(value) {
510
+ message.parts.push({
511
+ type: "file",
512
+ mimeType: value.mimeType,
513
+ data: value.data
514
+ });
515
+ execUpdate();
516
+ },
517
+ onSourcePart(value) {
518
+ message.parts.push({
519
+ type: "source",
520
+ source: value
521
+ });
522
+ execUpdate();
523
+ },
524
+ onToolCallStreamingStartPart(value) {
525
+ if (message.toolInvocations == null) {
526
+ message.toolInvocations = [];
527
+ }
528
+ partialToolCalls[value.toolCallId] = {
529
+ text: "",
530
+ step,
531
+ toolName: value.toolName,
532
+ index: message.toolInvocations.length
533
+ };
534
+ const invocation = {
535
+ state: "partial-call",
536
+ step,
537
+ toolCallId: value.toolCallId,
538
+ toolName: value.toolName,
539
+ args: void 0
540
+ };
541
+ message.toolInvocations.push(invocation);
542
+ updateToolInvocationPart(value.toolCallId, invocation);
543
+ execUpdate();
544
+ },
545
+ onToolCallDeltaPart(value) {
546
+ const partialToolCall = partialToolCalls[value.toolCallId];
547
+ partialToolCall.text += value.argsTextDelta;
548
+ const { value: partialArgs } = parsePartialJson(partialToolCall.text);
549
+ const invocation = {
550
+ state: "partial-call",
551
+ step: partialToolCall.step,
552
+ toolCallId: value.toolCallId,
553
+ toolName: partialToolCall.toolName,
554
+ args: partialArgs
555
+ };
556
+ message.toolInvocations[partialToolCall.index] = invocation;
557
+ updateToolInvocationPart(value.toolCallId, invocation);
558
+ execUpdate();
559
+ },
560
+ async onToolCallPart(value) {
561
+ const invocation = {
562
+ state: "call",
563
+ step,
564
+ ...value
565
+ };
566
+ if (partialToolCalls[value.toolCallId] != null) {
567
+ message.toolInvocations[partialToolCalls[value.toolCallId].index] = invocation;
568
+ } else {
569
+ if (message.toolInvocations == null) {
570
+ message.toolInvocations = [];
571
+ }
572
+ message.toolInvocations.push(invocation);
573
+ }
574
+ updateToolInvocationPart(value.toolCallId, invocation);
575
+ execUpdate();
576
+ if (onToolCall) {
577
+ const result = await onToolCall({ toolCall: value });
578
+ if (result != null) {
579
+ const invocation2 = {
580
+ state: "result",
581
+ step,
582
+ ...value,
583
+ result
584
+ };
585
+ message.toolInvocations[message.toolInvocations.length - 1] = invocation2;
586
+ updateToolInvocationPart(value.toolCallId, invocation2);
587
+ execUpdate();
588
+ }
589
+ }
590
+ },
591
+ onToolResultPart(value) {
592
+ const toolInvocations = message.toolInvocations;
593
+ if (toolInvocations == null) {
594
+ throw new Error("tool_result must be preceded by a tool_call");
595
+ }
596
+ const toolInvocationIndex = toolInvocations.findIndex((invocation2) => invocation2.toolCallId === value.toolCallId);
597
+ if (toolInvocationIndex === -1) {
598
+ throw new Error("tool_result must be preceded by a tool_call with the same toolCallId");
599
+ }
600
+ const invocation = {
601
+ ...toolInvocations[toolInvocationIndex],
602
+ state: "result",
603
+ ...value
604
+ };
605
+ toolInvocations[toolInvocationIndex] = invocation;
606
+ updateToolInvocationPart(value.toolCallId, invocation);
607
+ execUpdate();
608
+ },
609
+ onDataPart(value) {
610
+ data.push(...value);
611
+ execUpdate();
612
+ },
613
+ onMessageAnnotationsPart(value) {
614
+ if (messageAnnotations == null) {
615
+ messageAnnotations = [...value];
616
+ } else {
617
+ messageAnnotations.push(...value);
618
+ }
619
+ execUpdate();
620
+ },
621
+ onFinishStepPart(value) {
622
+ step += 1;
623
+ currentTextPart = value.isContinued ? currentTextPart : void 0;
624
+ currentReasoningPart = void 0;
625
+ currentReasoningTextDetail = void 0;
626
+ },
627
+ onStartStepPart(value) {
628
+ if (!replaceLastMessage) {
629
+ message.id = value.messageId;
630
+ }
631
+ message.parts.push({ type: "step-start" });
632
+ execUpdate();
633
+ },
634
+ onFinishMessagePart(value) {
635
+ finishReason = value.finishReason;
636
+ if (value.usage != null) {
637
+ usage = value.usage;
638
+ }
639
+ },
640
+ onErrorPart(error) {
641
+ throw new Error(error);
642
+ }
142
643
  });
644
+ onFinish?.({ message, finishReason, usage });
143
645
  }
144
646
  /**
145
647
  * Streams a response from the agent
@@ -147,12 +649,294 @@ var Agent = class extends BaseResource {
147
649
  * @returns Promise containing the enhanced Response object with processDataStream method
148
650
  */
149
651
  async stream(params) {
652
+ console.warn(
653
+ "Deprecation NOTICE:\nStream method will switch to use streamVNext implementation September 16th. Please use streamLegacy if you don't want to upgrade just yet."
654
+ );
655
+ return this.streamLegacy(params);
656
+ }
657
+ /**
658
+ * Streams a response from the agent
659
+ * @param params - Stream parameters including prompt
660
+ * @returns Promise containing the enhanced Response object with processDataStream method
661
+ */
662
+ async streamLegacy(params) {
150
663
  const processedParams = {
151
664
  ...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
665
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
666
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
667
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
668
+ clientTools: processClientTools(params.clientTools)
669
+ };
670
+ const { readable, writable } = new TransformStream();
671
+ const response = await this.processStreamResponse(processedParams, writable);
672
+ const streamResponse = new Response(readable, {
673
+ status: response.status,
674
+ statusText: response.statusText,
675
+ headers: response.headers
676
+ });
677
+ streamResponse.processDataStream = async (options = {}) => {
678
+ await processDataStream({
679
+ stream: streamResponse.body,
680
+ ...options
681
+ });
682
+ };
683
+ return streamResponse;
684
+ }
685
+ async processChatResponse_vNext({
686
+ stream,
687
+ update,
688
+ onToolCall,
689
+ onFinish,
690
+ getCurrentDate = () => /* @__PURE__ */ new Date(),
691
+ lastMessage
692
+ }) {
693
+ const replaceLastMessage = lastMessage?.role === "assistant";
694
+ let step = replaceLastMessage ? 1 + // find max step in existing tool invocations:
695
+ (lastMessage.toolInvocations?.reduce((max, toolInvocation) => {
696
+ return Math.max(max, toolInvocation.step ?? 0);
697
+ }, 0) ?? 0) : 0;
698
+ const message = replaceLastMessage ? structuredClone(lastMessage) : {
699
+ id: v4(),
700
+ createdAt: getCurrentDate(),
701
+ role: "assistant",
702
+ content: "",
703
+ parts: []
704
+ };
705
+ let currentTextPart = void 0;
706
+ let currentReasoningPart = void 0;
707
+ let currentReasoningTextDetail = void 0;
708
+ function updateToolInvocationPart(toolCallId, invocation) {
709
+ const part = message.parts.find(
710
+ (part2) => part2.type === "tool-invocation" && part2.toolInvocation.toolCallId === toolCallId
711
+ );
712
+ if (part != null) {
713
+ part.toolInvocation = invocation;
714
+ } else {
715
+ message.parts.push({
716
+ type: "tool-invocation",
717
+ toolInvocation: invocation
718
+ });
719
+ }
720
+ }
721
+ const data = [];
722
+ let messageAnnotations = replaceLastMessage ? lastMessage?.annotations : void 0;
723
+ const partialToolCalls = {};
724
+ let usage = {
725
+ completionTokens: NaN,
726
+ promptTokens: NaN,
727
+ totalTokens: NaN
154
728
  };
155
- const response = await this.request(`/api/agents/${this.agentId}/stream`, {
729
+ let finishReason = "unknown";
730
+ function execUpdate() {
731
+ const copiedData = [...data];
732
+ if (messageAnnotations?.length) {
733
+ message.annotations = messageAnnotations;
734
+ }
735
+ const copiedMessage = {
736
+ // deep copy the message to ensure that deep changes (msg attachments) are updated
737
+ // with SolidJS. SolidJS uses referential integration of sub-objects to detect changes.
738
+ ...structuredClone(message),
739
+ // add a revision id to ensure that the message is updated with SWR. SWR uses a
740
+ // hashing approach by default to detect changes, but it only works for shallow
741
+ // changes. This is why we need to add a revision id to ensure that the message
742
+ // is updated with SWR (without it, the changes get stuck in SWR and are not
743
+ // forwarded to rendering):
744
+ revisionId: v4()
745
+ };
746
+ update({
747
+ message: copiedMessage,
748
+ data: copiedData,
749
+ replaceLastMessage
750
+ });
751
+ }
752
+ await processMastraStream({
753
+ stream,
754
+ // TODO: casting as any here because the stream types were all typed as any before in core.
755
+ // but this is completely wrong and this fn is probably broken. Remove ":any" and you'll see a bunch of type errors
756
+ onChunk: async (chunk) => {
757
+ switch (chunk.type) {
758
+ case "step-start": {
759
+ if (!replaceLastMessage) {
760
+ message.id = chunk.payload.messageId;
761
+ }
762
+ message.parts.push({ type: "step-start" });
763
+ execUpdate();
764
+ break;
765
+ }
766
+ case "text-delta": {
767
+ if (currentTextPart == null) {
768
+ currentTextPart = {
769
+ type: "text",
770
+ text: chunk.payload.text
771
+ };
772
+ message.parts.push(currentTextPart);
773
+ } else {
774
+ currentTextPart.text += chunk.payload.text;
775
+ }
776
+ message.content += chunk.payload.text;
777
+ execUpdate();
778
+ break;
779
+ }
780
+ case "reasoning-delta": {
781
+ if (currentReasoningTextDetail == null) {
782
+ currentReasoningTextDetail = { type: "text", text: chunk.payload.text };
783
+ if (currentReasoningPart != null) {
784
+ currentReasoningPart.details.push(currentReasoningTextDetail);
785
+ }
786
+ } else {
787
+ currentReasoningTextDetail.text += chunk.payload.text;
788
+ }
789
+ if (currentReasoningPart == null) {
790
+ currentReasoningPart = {
791
+ type: "reasoning",
792
+ reasoning: chunk.payload.text,
793
+ details: [currentReasoningTextDetail]
794
+ };
795
+ message.parts.push(currentReasoningPart);
796
+ } else {
797
+ currentReasoningPart.reasoning += chunk.payload.text;
798
+ }
799
+ message.reasoning = (message.reasoning ?? "") + chunk.payload.text;
800
+ execUpdate();
801
+ break;
802
+ }
803
+ case "file": {
804
+ message.parts.push({
805
+ type: "file",
806
+ mimeType: chunk.payload.mimeType,
807
+ data: chunk.payload.data
808
+ });
809
+ execUpdate();
810
+ break;
811
+ }
812
+ case "source": {
813
+ message.parts.push({
814
+ type: "source",
815
+ source: chunk.payload.source
816
+ });
817
+ execUpdate();
818
+ break;
819
+ }
820
+ case "tool-call": {
821
+ const invocation = {
822
+ state: "call",
823
+ step,
824
+ ...chunk.payload
825
+ };
826
+ if (partialToolCalls[chunk.payload.toolCallId] != null) {
827
+ message.toolInvocations[partialToolCalls[chunk.payload.toolCallId].index] = invocation;
828
+ } else {
829
+ if (message.toolInvocations == null) {
830
+ message.toolInvocations = [];
831
+ }
832
+ message.toolInvocations.push(invocation);
833
+ }
834
+ updateToolInvocationPart(chunk.payload.toolCallId, invocation);
835
+ execUpdate();
836
+ if (onToolCall) {
837
+ const result = await onToolCall({ toolCall: chunk.payload });
838
+ if (result != null) {
839
+ const invocation2 = {
840
+ state: "result",
841
+ step,
842
+ ...chunk.payload,
843
+ result
844
+ };
845
+ message.toolInvocations[message.toolInvocations.length - 1] = invocation2;
846
+ updateToolInvocationPart(chunk.payload.toolCallId, invocation2);
847
+ execUpdate();
848
+ }
849
+ }
850
+ }
851
+ case "tool-call-input-streaming-start": {
852
+ if (message.toolInvocations == null) {
853
+ message.toolInvocations = [];
854
+ }
855
+ partialToolCalls[chunk.payload.toolCallId] = {
856
+ text: "",
857
+ step,
858
+ toolName: chunk.payload.toolName,
859
+ index: message.toolInvocations.length
860
+ };
861
+ const invocation = {
862
+ state: "partial-call",
863
+ step,
864
+ toolCallId: chunk.payload.toolCallId,
865
+ toolName: chunk.payload.toolName,
866
+ args: void 0
867
+ };
868
+ message.toolInvocations.push(invocation);
869
+ updateToolInvocationPart(chunk.payload.toolCallId, invocation);
870
+ execUpdate();
871
+ break;
872
+ }
873
+ case "tool-call-delta": {
874
+ const partialToolCall = partialToolCalls[chunk.payload.toolCallId];
875
+ partialToolCall.text += chunk.payload.argsTextDelta;
876
+ const { value: partialArgs } = parsePartialJson(partialToolCall.text);
877
+ const invocation = {
878
+ state: "partial-call",
879
+ step: partialToolCall.step,
880
+ toolCallId: chunk.payload.toolCallId,
881
+ toolName: partialToolCall.toolName,
882
+ args: partialArgs
883
+ };
884
+ message.toolInvocations[partialToolCall.index] = invocation;
885
+ updateToolInvocationPart(chunk.payload.toolCallId, invocation);
886
+ execUpdate();
887
+ break;
888
+ }
889
+ case "tool-result": {
890
+ const toolInvocations = message.toolInvocations;
891
+ if (toolInvocations == null) {
892
+ throw new Error("tool_result must be preceded by a tool_call");
893
+ }
894
+ const toolInvocationIndex = toolInvocations.findIndex(
895
+ (invocation2) => invocation2.toolCallId === chunk.payload.toolCallId
896
+ );
897
+ if (toolInvocationIndex === -1) {
898
+ throw new Error("tool_result must be preceded by a tool_call with the same toolCallId");
899
+ }
900
+ const invocation = {
901
+ ...toolInvocations[toolInvocationIndex],
902
+ state: "result",
903
+ ...chunk.payload
904
+ };
905
+ toolInvocations[toolInvocationIndex] = invocation;
906
+ updateToolInvocationPart(chunk.payload.toolCallId, invocation);
907
+ execUpdate();
908
+ break;
909
+ }
910
+ case "error": {
911
+ throw new Error(chunk.payload.error);
912
+ }
913
+ case "data": {
914
+ data.push(...chunk.payload.data);
915
+ execUpdate();
916
+ break;
917
+ }
918
+ case "step-finish": {
919
+ step += 1;
920
+ currentTextPart = chunk.payload.isContinued ? currentTextPart : void 0;
921
+ currentReasoningPart = void 0;
922
+ currentReasoningTextDetail = void 0;
923
+ execUpdate();
924
+ break;
925
+ }
926
+ case "finish": {
927
+ finishReason = chunk.payload.finishReason;
928
+ if (chunk.payload.usage != null) {
929
+ usage = chunk.payload.usage;
930
+ }
931
+ break;
932
+ }
933
+ }
934
+ }
935
+ });
936
+ onFinish?.({ message, finishReason, usage });
937
+ }
938
+ async processStreamResponse_vNext(processedParams, writable) {
939
+ const response = await this.request(`/api/agents/${this.agentId}/stream/vnext`, {
156
940
  method: "POST",
157
941
  body: processedParams,
158
942
  stream: true
@@ -160,12 +944,244 @@ var Agent = class extends BaseResource {
160
944
  if (!response.body) {
161
945
  throw new Error("No response body");
162
946
  }
163
- response.processDataStream = async (options = {}) => {
164
- await processDataStream({
165
- stream: response.body,
166
- ...options
947
+ try {
948
+ let toolCalls = [];
949
+ let messages = [];
950
+ const [streamForWritable, streamForProcessing] = response.body.tee();
951
+ streamForWritable.pipeTo(writable, {
952
+ preventClose: true
953
+ }).catch((error) => {
954
+ console.error("Error piping to writable stream:", error);
955
+ });
956
+ this.processChatResponse_vNext({
957
+ stream: streamForProcessing,
958
+ update: ({ message }) => {
959
+ const existingIndex = messages.findIndex((m) => m.id === message.id);
960
+ if (existingIndex !== -1) {
961
+ messages[existingIndex] = message;
962
+ } else {
963
+ messages.push(message);
964
+ }
965
+ },
966
+ onFinish: async ({ finishReason, message }) => {
967
+ if (finishReason === "tool-calls") {
968
+ const toolCall = [...message?.parts ?? []].reverse().find((part) => part.type === "tool-invocation")?.toolInvocation;
969
+ if (toolCall) {
970
+ toolCalls.push(toolCall);
971
+ }
972
+ for (const toolCall2 of toolCalls) {
973
+ const clientTool = processedParams.clientTools?.[toolCall2.toolName];
974
+ if (clientTool && clientTool.execute) {
975
+ const result = await clientTool.execute(
976
+ {
977
+ context: toolCall2?.args,
978
+ runId: processedParams.runId,
979
+ resourceId: processedParams.resourceId,
980
+ threadId: processedParams.threadId,
981
+ runtimeContext: processedParams.runtimeContext,
982
+ // TODO: Pass proper tracing context when client-js supports tracing
983
+ tracingContext: { currentSpan: void 0 }
984
+ },
985
+ {
986
+ messages: response.messages,
987
+ toolCallId: toolCall2?.toolCallId
988
+ }
989
+ );
990
+ const lastMessage = JSON.parse(JSON.stringify(messages[messages.length - 1]));
991
+ const toolInvocationPart = lastMessage?.parts?.find(
992
+ (part) => part.type === "tool-invocation" && part.toolInvocation?.toolCallId === toolCall2.toolCallId
993
+ );
994
+ if (toolInvocationPart) {
995
+ toolInvocationPart.toolInvocation = {
996
+ ...toolInvocationPart.toolInvocation,
997
+ state: "result",
998
+ result
999
+ };
1000
+ }
1001
+ const toolInvocation = lastMessage?.toolInvocations?.find(
1002
+ (toolInvocation2) => toolInvocation2.toolCallId === toolCall2.toolCallId
1003
+ );
1004
+ if (toolInvocation) {
1005
+ toolInvocation.state = "result";
1006
+ toolInvocation.result = result;
1007
+ }
1008
+ const writer = writable.getWriter();
1009
+ try {
1010
+ await writer.write(
1011
+ new TextEncoder().encode(
1012
+ "a:" + JSON.stringify({
1013
+ toolCallId: toolCall2.toolCallId,
1014
+ result
1015
+ }) + "\n"
1016
+ )
1017
+ );
1018
+ } finally {
1019
+ writer.releaseLock();
1020
+ }
1021
+ const originalMessages = processedParams.messages;
1022
+ const messageArray = Array.isArray(originalMessages) ? originalMessages : [originalMessages];
1023
+ this.processStreamResponse_vNext(
1024
+ {
1025
+ ...processedParams,
1026
+ messages: [...messageArray, ...messages.filter((m) => m.id !== lastMessage.id), lastMessage]
1027
+ },
1028
+ writable
1029
+ ).catch((error) => {
1030
+ console.error("Error processing stream response:", error);
1031
+ });
1032
+ }
1033
+ }
1034
+ } else {
1035
+ setTimeout(() => {
1036
+ writable.close();
1037
+ }, 0);
1038
+ }
1039
+ },
1040
+ lastMessage: void 0
1041
+ }).catch((error) => {
1042
+ console.error("Error processing stream response:", error);
1043
+ });
1044
+ } catch (error) {
1045
+ console.error("Error processing stream response:", error);
1046
+ }
1047
+ return response;
1048
+ }
1049
+ async streamVNext(params) {
1050
+ const processedParams = {
1051
+ ...params,
1052
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
1053
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
1054
+ clientTools: processClientTools(params.clientTools)
1055
+ };
1056
+ const { readable, writable } = new TransformStream();
1057
+ const response = await this.processStreamResponse_vNext(processedParams, writable);
1058
+ const streamResponse = new Response(readable, {
1059
+ status: response.status,
1060
+ statusText: response.statusText,
1061
+ headers: response.headers
1062
+ });
1063
+ streamResponse.processDataStream = async ({
1064
+ onChunk
1065
+ }) => {
1066
+ await processMastraStream({
1067
+ stream: streamResponse.body,
1068
+ onChunk
167
1069
  });
168
1070
  };
1071
+ return streamResponse;
1072
+ }
1073
+ /**
1074
+ * Processes the stream response and handles tool calls
1075
+ */
1076
+ async processStreamResponse(processedParams, writable) {
1077
+ const response = await this.request(`/api/agents/${this.agentId}/stream-legacy`, {
1078
+ method: "POST",
1079
+ body: processedParams,
1080
+ stream: true
1081
+ });
1082
+ if (!response.body) {
1083
+ throw new Error("No response body");
1084
+ }
1085
+ try {
1086
+ let toolCalls = [];
1087
+ let messages = [];
1088
+ const [streamForWritable, streamForProcessing] = response.body.tee();
1089
+ streamForWritable.pipeTo(writable, {
1090
+ preventClose: true
1091
+ }).catch((error) => {
1092
+ console.error("Error piping to writable stream:", error);
1093
+ });
1094
+ this.processChatResponse({
1095
+ stream: streamForProcessing,
1096
+ update: ({ message }) => {
1097
+ const existingIndex = messages.findIndex((m) => m.id === message.id);
1098
+ if (existingIndex !== -1) {
1099
+ messages[existingIndex] = message;
1100
+ } else {
1101
+ messages.push(message);
1102
+ }
1103
+ },
1104
+ onFinish: async ({ finishReason, message }) => {
1105
+ if (finishReason === "tool-calls") {
1106
+ const toolCall = [...message?.parts ?? []].reverse().find((part) => part.type === "tool-invocation")?.toolInvocation;
1107
+ if (toolCall) {
1108
+ toolCalls.push(toolCall);
1109
+ }
1110
+ for (const toolCall2 of toolCalls) {
1111
+ const clientTool = processedParams.clientTools?.[toolCall2.toolName];
1112
+ if (clientTool && clientTool.execute) {
1113
+ const result = await clientTool.execute(
1114
+ {
1115
+ context: toolCall2?.args,
1116
+ runId: processedParams.runId,
1117
+ resourceId: processedParams.resourceId,
1118
+ threadId: processedParams.threadId,
1119
+ runtimeContext: processedParams.runtimeContext,
1120
+ // TODO: Pass proper tracing context when client-js supports tracing
1121
+ tracingContext: { currentSpan: void 0 }
1122
+ },
1123
+ {
1124
+ messages: response.messages,
1125
+ toolCallId: toolCall2?.toolCallId
1126
+ }
1127
+ );
1128
+ const lastMessage = JSON.parse(JSON.stringify(messages[messages.length - 1]));
1129
+ const toolInvocationPart = lastMessage?.parts?.find(
1130
+ (part) => part.type === "tool-invocation" && part.toolInvocation?.toolCallId === toolCall2.toolCallId
1131
+ );
1132
+ if (toolInvocationPart) {
1133
+ toolInvocationPart.toolInvocation = {
1134
+ ...toolInvocationPart.toolInvocation,
1135
+ state: "result",
1136
+ result
1137
+ };
1138
+ }
1139
+ const toolInvocation = lastMessage?.toolInvocations?.find(
1140
+ (toolInvocation2) => toolInvocation2.toolCallId === toolCall2.toolCallId
1141
+ );
1142
+ if (toolInvocation) {
1143
+ toolInvocation.state = "result";
1144
+ toolInvocation.result = result;
1145
+ }
1146
+ const writer = writable.getWriter();
1147
+ try {
1148
+ await writer.write(
1149
+ new TextEncoder().encode(
1150
+ "a:" + JSON.stringify({
1151
+ toolCallId: toolCall2.toolCallId,
1152
+ result
1153
+ }) + "\n"
1154
+ )
1155
+ );
1156
+ } finally {
1157
+ writer.releaseLock();
1158
+ }
1159
+ const originalMessages = processedParams.messages;
1160
+ const messageArray = Array.isArray(originalMessages) ? originalMessages : [originalMessages];
1161
+ this.processStreamResponse(
1162
+ {
1163
+ ...processedParams,
1164
+ messages: [...messageArray, ...messages.filter((m) => m.id !== lastMessage.id), lastMessage]
1165
+ },
1166
+ writable
1167
+ ).catch((error) => {
1168
+ console.error("Error processing stream response:", error);
1169
+ });
1170
+ }
1171
+ }
1172
+ } else {
1173
+ setTimeout(() => {
1174
+ writable.close();
1175
+ }, 0);
1176
+ }
1177
+ },
1178
+ lastMessage: void 0
1179
+ }).catch((error) => {
1180
+ console.error("Error processing stream response:", error);
1181
+ });
1182
+ } catch (error) {
1183
+ console.error("Error processing stream response:", error);
1184
+ }
169
1185
  return response;
170
1186
  }
171
1187
  /**
@@ -176,6 +1192,22 @@ var Agent = class extends BaseResource {
176
1192
  getTool(toolId) {
177
1193
  return this.request(`/api/agents/${this.agentId}/tools/${toolId}`);
178
1194
  }
1195
+ /**
1196
+ * Executes a tool for the agent
1197
+ * @param toolId - ID of the tool to execute
1198
+ * @param params - Parameters required for tool execution
1199
+ * @returns Promise containing the tool execution results
1200
+ */
1201
+ executeTool(toolId, params) {
1202
+ const body = {
1203
+ data: params.data,
1204
+ runtimeContext: params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0
1205
+ };
1206
+ return this.request(`/api/agents/${this.agentId}/tools/${toolId}/execute`, {
1207
+ method: "POST",
1208
+ body
1209
+ });
1210
+ }
179
1211
  /**
180
1212
  * Retrieves evaluation results for the agent
181
1213
  * @returns Promise containing agent evaluations
@@ -190,6 +1222,17 @@ var Agent = class extends BaseResource {
190
1222
  liveEvals() {
191
1223
  return this.request(`/api/agents/${this.agentId}/evals/live`);
192
1224
  }
1225
+ /**
1226
+ * Updates the model for the agent
1227
+ * @param params - Parameters for updating the model
1228
+ * @returns Promise containing the updated model
1229
+ */
1230
+ updateModel(params) {
1231
+ return this.request(`/api/agents/${this.agentId}/model`, {
1232
+ method: "POST",
1233
+ body: params
1234
+ });
1235
+ }
193
1236
  };
194
1237
  var Network = class extends BaseResource {
195
1238
  constructor(options, networkId) {
@@ -211,8 +1254,8 @@ var Network = class extends BaseResource {
211
1254
  generate(params) {
212
1255
  const processedParams = {
213
1256
  ...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
1257
+ output: zodToJsonSchema(params.output),
1258
+ experimental_output: zodToJsonSchema(params.experimental_output)
216
1259
  };
217
1260
  return this.request(`/api/networks/${this.networkId}/generate`, {
218
1261
  method: "POST",
@@ -227,8 +1270,8 @@ var Network = class extends BaseResource {
227
1270
  async stream(params) {
228
1271
  const processedParams = {
229
1272
  ...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
1273
+ output: zodToJsonSchema(params.output),
1274
+ experimental_output: zodToJsonSchema(params.experimental_output)
232
1275
  };
233
1276
  const response = await this.request(`/api/networks/${this.networkId}/stream`, {
234
1277
  method: "POST",
@@ -284,10 +1327,45 @@ var MemoryThread = class extends BaseResource {
284
1327
  }
285
1328
  /**
286
1329
  * Retrieves messages associated with the thread
1330
+ * @param params - Optional parameters including limit for number of messages to retrieve
287
1331
  * @returns Promise containing thread messages and UI messages
288
1332
  */
289
- getMessages() {
290
- return this.request(`/api/memory/threads/${this.threadId}/messages?agentId=${this.agentId}`);
1333
+ getMessages(params) {
1334
+ const query = new URLSearchParams({
1335
+ agentId: this.agentId,
1336
+ ...params?.limit ? { limit: params.limit.toString() } : {}
1337
+ });
1338
+ return this.request(`/api/memory/threads/${this.threadId}/messages?${query.toString()}`);
1339
+ }
1340
+ /**
1341
+ * Retrieves paginated messages associated with the thread with advanced filtering and selection options
1342
+ * @param params - Pagination parameters including selectBy criteria, page, perPage, date ranges, and message inclusion options
1343
+ * @returns Promise containing paginated thread messages with pagination metadata (total, page, perPage, hasMore)
1344
+ */
1345
+ getMessagesPaginated({
1346
+ selectBy,
1347
+ ...rest
1348
+ }) {
1349
+ const query = new URLSearchParams({
1350
+ ...rest,
1351
+ ...selectBy ? { selectBy: JSON.stringify(selectBy) } : {}
1352
+ });
1353
+ return this.request(`/api/memory/threads/${this.threadId}/messages/paginated?${query.toString()}`);
1354
+ }
1355
+ /**
1356
+ * Deletes one or more messages from the thread
1357
+ * @param messageIds - Can be a single message ID (string), array of message IDs,
1358
+ * message object with id property, or array of message objects
1359
+ * @returns Promise containing deletion result
1360
+ */
1361
+ deleteMessages(messageIds) {
1362
+ const query = new URLSearchParams({
1363
+ agentId: this.agentId
1364
+ });
1365
+ return this.request(`/api/memory/messages/delete?${query.toString()}`, {
1366
+ method: "POST",
1367
+ body: { messageIds }
1368
+ });
291
1369
  }
292
1370
  };
293
1371
 
@@ -357,34 +1435,50 @@ var Vector = class extends BaseResource {
357
1435
  }
358
1436
  };
359
1437
 
360
- // src/resources/workflow.ts
1438
+ // src/resources/legacy-workflow.ts
361
1439
  var RECORD_SEPARATOR = "";
362
- var Workflow = class extends BaseResource {
1440
+ var LegacyWorkflow = class extends BaseResource {
363
1441
  constructor(options, workflowId) {
364
1442
  super(options);
365
1443
  this.workflowId = workflowId;
366
1444
  }
367
1445
  /**
368
- * Retrieves details about the workflow
369
- * @returns Promise containing workflow details including steps and graphs
1446
+ * Retrieves details about the legacy workflow
1447
+ * @returns Promise containing legacy workflow details including steps and graphs
370
1448
  */
371
1449
  details() {
372
- return this.request(`/api/workflows/${this.workflowId}`);
1450
+ return this.request(`/api/workflows/legacy/${this.workflowId}`);
373
1451
  }
374
1452
  /**
375
- * @deprecated Use `startAsync` instead
376
- * Executes the workflow with the provided parameters
377
- * @param params - Parameters required for workflow execution
378
- * @returns Promise containing the workflow execution results
1453
+ * Retrieves all runs for a legacy workflow
1454
+ * @param params - Parameters for filtering runs
1455
+ * @returns Promise containing legacy workflow runs array
379
1456
  */
380
- execute(params) {
381
- return this.request(`/api/workflows/${this.workflowId}/execute`, {
382
- method: "POST",
383
- body: params
384
- });
1457
+ runs(params) {
1458
+ const searchParams = new URLSearchParams();
1459
+ if (params?.fromDate) {
1460
+ searchParams.set("fromDate", params.fromDate.toISOString());
1461
+ }
1462
+ if (params?.toDate) {
1463
+ searchParams.set("toDate", params.toDate.toISOString());
1464
+ }
1465
+ if (params?.limit) {
1466
+ searchParams.set("limit", String(params.limit));
1467
+ }
1468
+ if (params?.offset) {
1469
+ searchParams.set("offset", String(params.offset));
1470
+ }
1471
+ if (params?.resourceId) {
1472
+ searchParams.set("resourceId", params.resourceId);
1473
+ }
1474
+ if (searchParams.size) {
1475
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs?${searchParams}`);
1476
+ } else {
1477
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs`);
1478
+ }
385
1479
  }
386
1480
  /**
387
- * Creates a new workflow run
1481
+ * Creates a new legacy workflow run
388
1482
  * @returns Promise containing the generated run ID
389
1483
  */
390
1484
  createRun(params) {
@@ -392,34 +1486,34 @@ var Workflow = class extends BaseResource {
392
1486
  if (!!params?.runId) {
393
1487
  searchParams.set("runId", params.runId);
394
1488
  }
395
- return this.request(`/api/workflows/${this.workflowId}/createRun?${searchParams.toString()}`, {
1489
+ return this.request(`/api/workflows/legacy/${this.workflowId}/create-run?${searchParams.toString()}`, {
396
1490
  method: "POST"
397
1491
  });
398
1492
  }
399
1493
  /**
400
- * Starts a workflow run synchronously without waiting for the workflow to complete
1494
+ * Starts a legacy workflow run synchronously without waiting for the workflow to complete
401
1495
  * @param params - Object containing the runId and triggerData
402
1496
  * @returns Promise containing success message
403
1497
  */
404
1498
  start(params) {
405
- return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
1499
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start?runId=${params.runId}`, {
406
1500
  method: "POST",
407
1501
  body: params?.triggerData
408
1502
  });
409
1503
  }
410
1504
  /**
411
- * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
1505
+ * Resumes a suspended legacy workflow step synchronously without waiting for the workflow to complete
412
1506
  * @param stepId - ID of the step to resume
413
- * @param runId - ID of the workflow run
414
- * @param context - Context to resume the workflow with
415
- * @returns Promise containing the workflow resume results
1507
+ * @param runId - ID of the legacy workflow run
1508
+ * @param context - Context to resume the legacy workflow with
1509
+ * @returns Promise containing the legacy workflow resume results
416
1510
  */
417
1511
  resume({
418
1512
  stepId,
419
1513
  runId,
420
1514
  context
421
1515
  }) {
422
- return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
1516
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume?runId=${runId}`, {
423
1517
  method: "POST",
424
1518
  body: {
425
1519
  stepId,
@@ -437,18 +1531,18 @@ var Workflow = class extends BaseResource {
437
1531
  if (!!params?.runId) {
438
1532
  searchParams.set("runId", params.runId);
439
1533
  }
440
- return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
1534
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start-async?${searchParams.toString()}`, {
441
1535
  method: "POST",
442
1536
  body: params?.triggerData
443
1537
  });
444
1538
  }
445
1539
  /**
446
- * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
1540
+ * Resumes a suspended legacy workflow step asynchronously and returns a promise that resolves when the workflow is complete
447
1541
  * @param params - Object containing the runId, stepId, and context
448
1542
  * @returns Promise containing the workflow resume results
449
1543
  */
450
1544
  resumeAsync(params) {
451
- return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
1545
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume-async?runId=${params.runId}`, {
452
1546
  method: "POST",
453
1547
  body: {
454
1548
  stepId: params.stepId,
@@ -487,7 +1581,1040 @@ var Workflow = class extends BaseResource {
487
1581
  }
488
1582
  }
489
1583
  }
490
- } catch (error) {
1584
+ } catch {
1585
+ }
1586
+ }
1587
+ if (buffer) {
1588
+ try {
1589
+ yield JSON.parse(buffer);
1590
+ } catch {
1591
+ }
1592
+ }
1593
+ } finally {
1594
+ reader.cancel().catch(() => {
1595
+ });
1596
+ }
1597
+ }
1598
+ /**
1599
+ * Watches legacy workflow transitions in real-time
1600
+ * @param runId - Optional run ID to filter the watch stream
1601
+ * @returns AsyncGenerator that yields parsed records from the legacy workflow watch stream
1602
+ */
1603
+ async watch({ runId }, onRecord) {
1604
+ const response = await this.request(`/api/workflows/legacy/${this.workflowId}/watch?runId=${runId}`, {
1605
+ stream: true
1606
+ });
1607
+ if (!response.ok) {
1608
+ throw new Error(`Failed to watch legacy workflow: ${response.statusText}`);
1609
+ }
1610
+ if (!response.body) {
1611
+ throw new Error("Response body is null");
1612
+ }
1613
+ for await (const record of this.streamProcessor(response.body)) {
1614
+ onRecord(record);
1615
+ }
1616
+ }
1617
+ };
1618
+
1619
+ // src/resources/tool.ts
1620
+ var Tool = class extends BaseResource {
1621
+ constructor(options, toolId) {
1622
+ super(options);
1623
+ this.toolId = toolId;
1624
+ }
1625
+ /**
1626
+ * Retrieves details about the tool
1627
+ * @returns Promise containing tool details including description and schemas
1628
+ */
1629
+ details() {
1630
+ return this.request(`/api/tools/${this.toolId}`);
1631
+ }
1632
+ /**
1633
+ * Executes the tool with the provided parameters
1634
+ * @param params - Parameters required for tool execution
1635
+ * @returns Promise containing the tool execution results
1636
+ */
1637
+ execute(params) {
1638
+ const url = new URLSearchParams();
1639
+ if (params.runId) {
1640
+ url.set("runId", params.runId);
1641
+ }
1642
+ const body = {
1643
+ data: params.data,
1644
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
1645
+ };
1646
+ return this.request(`/api/tools/${this.toolId}/execute?${url.toString()}`, {
1647
+ method: "POST",
1648
+ body
1649
+ });
1650
+ }
1651
+ };
1652
+
1653
+ // src/resources/workflow.ts
1654
+ var RECORD_SEPARATOR2 = "";
1655
+ var Workflow = class extends BaseResource {
1656
+ constructor(options, workflowId) {
1657
+ super(options);
1658
+ this.workflowId = workflowId;
1659
+ }
1660
+ /**
1661
+ * Creates an async generator that processes a readable stream and yields workflow records
1662
+ * separated by the Record Separator character (\x1E)
1663
+ *
1664
+ * @param stream - The readable stream to process
1665
+ * @returns An async generator that yields parsed records
1666
+ */
1667
+ async *streamProcessor(stream) {
1668
+ const reader = stream.getReader();
1669
+ let doneReading = false;
1670
+ let buffer = "";
1671
+ try {
1672
+ while (!doneReading) {
1673
+ const { done, value } = await reader.read();
1674
+ doneReading = done;
1675
+ if (done && !value) continue;
1676
+ try {
1677
+ const decoded = value ? new TextDecoder().decode(value) : "";
1678
+ const chunks = (buffer + decoded).split(RECORD_SEPARATOR2);
1679
+ buffer = chunks.pop() || "";
1680
+ for (const chunk of chunks) {
1681
+ if (chunk) {
1682
+ if (typeof chunk === "string") {
1683
+ try {
1684
+ const parsedChunk = JSON.parse(chunk);
1685
+ yield parsedChunk;
1686
+ } catch {
1687
+ }
1688
+ }
1689
+ }
1690
+ }
1691
+ } catch {
1692
+ }
1693
+ }
1694
+ if (buffer) {
1695
+ try {
1696
+ yield JSON.parse(buffer);
1697
+ } catch {
1698
+ }
1699
+ }
1700
+ } finally {
1701
+ reader.cancel().catch(() => {
1702
+ });
1703
+ }
1704
+ }
1705
+ /**
1706
+ * Retrieves details about the workflow
1707
+ * @returns Promise containing workflow details including steps and graphs
1708
+ */
1709
+ details() {
1710
+ return this.request(`/api/workflows/${this.workflowId}`);
1711
+ }
1712
+ /**
1713
+ * Retrieves all runs for a workflow
1714
+ * @param params - Parameters for filtering runs
1715
+ * @returns Promise containing workflow runs array
1716
+ */
1717
+ runs(params) {
1718
+ const searchParams = new URLSearchParams();
1719
+ if (params?.fromDate) {
1720
+ searchParams.set("fromDate", params.fromDate.toISOString());
1721
+ }
1722
+ if (params?.toDate) {
1723
+ searchParams.set("toDate", params.toDate.toISOString());
1724
+ }
1725
+ if (params?.limit !== null && params?.limit !== void 0 && !isNaN(Number(params?.limit))) {
1726
+ searchParams.set("limit", String(params.limit));
1727
+ }
1728
+ if (params?.offset !== null && params?.offset !== void 0 && !isNaN(Number(params?.offset))) {
1729
+ searchParams.set("offset", String(params.offset));
1730
+ }
1731
+ if (params?.resourceId) {
1732
+ searchParams.set("resourceId", params.resourceId);
1733
+ }
1734
+ if (searchParams.size) {
1735
+ return this.request(`/api/workflows/${this.workflowId}/runs?${searchParams}`);
1736
+ } else {
1737
+ return this.request(`/api/workflows/${this.workflowId}/runs`);
1738
+ }
1739
+ }
1740
+ /**
1741
+ * Retrieves a specific workflow run by its ID
1742
+ * @param runId - The ID of the workflow run to retrieve
1743
+ * @returns Promise containing the workflow run details
1744
+ */
1745
+ runById(runId) {
1746
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}`);
1747
+ }
1748
+ /**
1749
+ * Retrieves the execution result for a specific workflow run by its ID
1750
+ * @param runId - The ID of the workflow run to retrieve the execution result for
1751
+ * @returns Promise containing the workflow run execution result
1752
+ */
1753
+ runExecutionResult(runId) {
1754
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/execution-result`);
1755
+ }
1756
+ /**
1757
+ * Cancels a specific workflow run by its ID
1758
+ * @param runId - The ID of the workflow run to cancel
1759
+ * @returns Promise containing a success message
1760
+ */
1761
+ cancelRun(runId) {
1762
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/cancel`, {
1763
+ method: "POST"
1764
+ });
1765
+ }
1766
+ /**
1767
+ * Sends an event to a specific workflow run by its ID
1768
+ * @param params - Object containing the runId, event and data
1769
+ * @returns Promise containing a success message
1770
+ */
1771
+ sendRunEvent(params) {
1772
+ return this.request(`/api/workflows/${this.workflowId}/runs/${params.runId}/send-event`, {
1773
+ method: "POST",
1774
+ body: { event: params.event, data: params.data }
1775
+ });
1776
+ }
1777
+ /**
1778
+ * Creates a new workflow run
1779
+ * @param params - Optional object containing the optional runId
1780
+ * @returns Promise containing the runId of the created run
1781
+ */
1782
+ createRun(params) {
1783
+ const searchParams = new URLSearchParams();
1784
+ if (!!params?.runId) {
1785
+ searchParams.set("runId", params.runId);
1786
+ }
1787
+ return this.request(`/api/workflows/${this.workflowId}/create-run?${searchParams.toString()}`, {
1788
+ method: "POST"
1789
+ });
1790
+ }
1791
+ /**
1792
+ * Creates a new workflow run (alias for createRun)
1793
+ * @param params - Optional object containing the optional runId
1794
+ * @returns Promise containing the runId of the created run
1795
+ */
1796
+ createRunAsync(params) {
1797
+ return this.createRun(params);
1798
+ }
1799
+ /**
1800
+ * Starts a workflow run synchronously without waiting for the workflow to complete
1801
+ * @param params - Object containing the runId, inputData and runtimeContext
1802
+ * @returns Promise containing success message
1803
+ */
1804
+ start(params) {
1805
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1806
+ return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
1807
+ method: "POST",
1808
+ body: { inputData: params?.inputData, runtimeContext }
1809
+ });
1810
+ }
1811
+ /**
1812
+ * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
1813
+ * @param params - Object containing the runId, step, resumeData and runtimeContext
1814
+ * @returns Promise containing success message
1815
+ */
1816
+ resume({
1817
+ step,
1818
+ runId,
1819
+ resumeData,
1820
+ ...rest
1821
+ }) {
1822
+ const runtimeContext = parseClientRuntimeContext(rest.runtimeContext);
1823
+ return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
1824
+ method: "POST",
1825
+ stream: true,
1826
+ body: {
1827
+ step,
1828
+ resumeData,
1829
+ runtimeContext
1830
+ }
1831
+ });
1832
+ }
1833
+ /**
1834
+ * Starts a workflow run asynchronously and returns a promise that resolves when the workflow is complete
1835
+ * @param params - Object containing the optional runId, inputData and runtimeContext
1836
+ * @returns Promise containing the workflow execution results
1837
+ */
1838
+ startAsync(params) {
1839
+ const searchParams = new URLSearchParams();
1840
+ if (!!params?.runId) {
1841
+ searchParams.set("runId", params.runId);
1842
+ }
1843
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1844
+ return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
1845
+ method: "POST",
1846
+ body: { inputData: params.inputData, runtimeContext }
1847
+ });
1848
+ }
1849
+ /**
1850
+ * Starts a workflow run and returns a stream
1851
+ * @param params - Object containing the optional runId, inputData and runtimeContext
1852
+ * @returns Promise containing the workflow execution results
1853
+ */
1854
+ async stream(params) {
1855
+ const searchParams = new URLSearchParams();
1856
+ if (!!params?.runId) {
1857
+ searchParams.set("runId", params.runId);
1858
+ }
1859
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1860
+ const response = await this.request(
1861
+ `/api/workflows/${this.workflowId}/stream?${searchParams.toString()}`,
1862
+ {
1863
+ method: "POST",
1864
+ body: { inputData: params.inputData, runtimeContext },
1865
+ stream: true
1866
+ }
1867
+ );
1868
+ if (!response.ok) {
1869
+ throw new Error(`Failed to stream vNext workflow: ${response.statusText}`);
1870
+ }
1871
+ if (!response.body) {
1872
+ throw new Error("Response body is null");
1873
+ }
1874
+ let failedChunk = void 0;
1875
+ const transformStream = new TransformStream({
1876
+ start() {
1877
+ },
1878
+ async transform(chunk, controller) {
1879
+ try {
1880
+ const decoded = new TextDecoder().decode(chunk);
1881
+ const chunks = decoded.split(RECORD_SEPARATOR2);
1882
+ for (const chunk2 of chunks) {
1883
+ if (chunk2) {
1884
+ const newChunk = failedChunk ? failedChunk + chunk2 : chunk2;
1885
+ try {
1886
+ const parsedChunk = JSON.parse(newChunk);
1887
+ controller.enqueue(parsedChunk);
1888
+ failedChunk = void 0;
1889
+ } catch {
1890
+ failedChunk = newChunk;
1891
+ }
1892
+ }
1893
+ }
1894
+ } catch {
1895
+ }
1896
+ }
1897
+ });
1898
+ return response.body.pipeThrough(transformStream);
1899
+ }
1900
+ /**
1901
+ * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
1902
+ * @param params - Object containing the runId, step, resumeData and runtimeContext
1903
+ * @returns Promise containing the workflow resume results
1904
+ */
1905
+ resumeAsync(params) {
1906
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1907
+ return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
1908
+ method: "POST",
1909
+ body: {
1910
+ step: params.step,
1911
+ resumeData: params.resumeData,
1912
+ runtimeContext
1913
+ }
1914
+ });
1915
+ }
1916
+ /**
1917
+ * Watches workflow transitions in real-time
1918
+ * @param runId - Optional run ID to filter the watch stream
1919
+ * @returns AsyncGenerator that yields parsed records from the workflow watch stream
1920
+ */
1921
+ async watch({ runId }, onRecord) {
1922
+ const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
1923
+ stream: true
1924
+ });
1925
+ if (!response.ok) {
1926
+ throw new Error(`Failed to watch workflow: ${response.statusText}`);
1927
+ }
1928
+ if (!response.body) {
1929
+ throw new Error("Response body is null");
1930
+ }
1931
+ for await (const record of this.streamProcessor(response.body)) {
1932
+ if (typeof record === "string") {
1933
+ onRecord(JSON.parse(record));
1934
+ } else {
1935
+ onRecord(record);
1936
+ }
1937
+ }
1938
+ }
1939
+ /**
1940
+ * Creates a new ReadableStream from an iterable or async iterable of objects,
1941
+ * serializing each as JSON and separating them with the record separator (\x1E).
1942
+ *
1943
+ * @param records - An iterable or async iterable of objects to stream
1944
+ * @returns A ReadableStream emitting the records as JSON strings separated by the record separator
1945
+ */
1946
+ static createRecordStream(records) {
1947
+ const encoder = new TextEncoder();
1948
+ return new ReadableStream({
1949
+ async start(controller) {
1950
+ try {
1951
+ for await (const record of records) {
1952
+ const json = JSON.stringify(record) + RECORD_SEPARATOR2;
1953
+ controller.enqueue(encoder.encode(json));
1954
+ }
1955
+ controller.close();
1956
+ } catch (err) {
1957
+ controller.error(err);
1958
+ }
1959
+ }
1960
+ });
1961
+ }
1962
+ };
1963
+
1964
+ // src/resources/a2a.ts
1965
+ var A2A = class extends BaseResource {
1966
+ constructor(options, agentId) {
1967
+ super(options);
1968
+ this.agentId = agentId;
1969
+ }
1970
+ /**
1971
+ * Get the agent card with metadata about the agent
1972
+ * @returns Promise containing the agent card information
1973
+ */
1974
+ async getCard() {
1975
+ return this.request(`/.well-known/${this.agentId}/agent-card.json`);
1976
+ }
1977
+ /**
1978
+ * Send a message to the agent and gets a message or task response
1979
+ * @param params - Parameters for the task
1980
+ * @returns Promise containing the response
1981
+ */
1982
+ async sendMessage(params) {
1983
+ const response = await this.request(`/a2a/${this.agentId}`, {
1984
+ method: "POST",
1985
+ body: {
1986
+ method: "message/send",
1987
+ params
1988
+ }
1989
+ });
1990
+ return response;
1991
+ }
1992
+ /**
1993
+ * Sends a message to an agent to initiate/continue a task and subscribes
1994
+ * the client to real-time updates for that task via Server-Sent Events (SSE).
1995
+ * @param params - Parameters for the task
1996
+ * @returns A stream of Server-Sent Events. Each SSE `data` field contains a `SendStreamingMessageResponse`
1997
+ */
1998
+ async sendStreamingMessage(params) {
1999
+ const response = await this.request(`/a2a/${this.agentId}`, {
2000
+ method: "POST",
2001
+ body: {
2002
+ method: "message/stream",
2003
+ params
2004
+ }
2005
+ });
2006
+ return response;
2007
+ }
2008
+ /**
2009
+ * Get the status and result of a task
2010
+ * @param params - Parameters for querying the task
2011
+ * @returns Promise containing the task response
2012
+ */
2013
+ async getTask(params) {
2014
+ const response = await this.request(`/a2a/${this.agentId}`, {
2015
+ method: "POST",
2016
+ body: {
2017
+ method: "tasks/get",
2018
+ params
2019
+ }
2020
+ });
2021
+ return response;
2022
+ }
2023
+ /**
2024
+ * Cancel a running task
2025
+ * @param params - Parameters identifying the task to cancel
2026
+ * @returns Promise containing the task response
2027
+ */
2028
+ async cancelTask(params) {
2029
+ return this.request(`/a2a/${this.agentId}`, {
2030
+ method: "POST",
2031
+ body: {
2032
+ method: "tasks/cancel",
2033
+ params
2034
+ }
2035
+ });
2036
+ }
2037
+ };
2038
+
2039
+ // src/resources/mcp-tool.ts
2040
+ var MCPTool = class extends BaseResource {
2041
+ serverId;
2042
+ toolId;
2043
+ constructor(options, serverId, toolId) {
2044
+ super(options);
2045
+ this.serverId = serverId;
2046
+ this.toolId = toolId;
2047
+ }
2048
+ /**
2049
+ * Retrieves details about this specific tool from the MCP server.
2050
+ * @returns Promise containing the tool's information (name, description, schema).
2051
+ */
2052
+ details() {
2053
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}`);
2054
+ }
2055
+ /**
2056
+ * Executes this specific tool on the MCP server.
2057
+ * @param params - Parameters for tool execution, including data/args and optional runtimeContext.
2058
+ * @returns Promise containing the result of the tool execution.
2059
+ */
2060
+ execute(params) {
2061
+ const body = {};
2062
+ if (params.data !== void 0) body.data = params.data;
2063
+ if (params.runtimeContext !== void 0) {
2064
+ body.runtimeContext = params.runtimeContext;
2065
+ }
2066
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}/execute`, {
2067
+ method: "POST",
2068
+ body: Object.keys(body).length > 0 ? body : void 0
2069
+ });
2070
+ }
2071
+ };
2072
+
2073
+ // src/resources/agent-builder.ts
2074
+ var RECORD_SEPARATOR3 = "";
2075
+ var AgentBuilder = class extends BaseResource {
2076
+ constructor(options, actionId) {
2077
+ super(options);
2078
+ this.actionId = actionId;
2079
+ }
2080
+ // Helper function to transform workflow result to action result
2081
+ transformWorkflowResult(result) {
2082
+ if (result.status === "success") {
2083
+ return {
2084
+ success: result.result.success || false,
2085
+ applied: result.result.applied || false,
2086
+ branchName: result.result.branchName,
2087
+ message: result.result.message || "Agent builder action completed",
2088
+ validationResults: result.result.validationResults,
2089
+ error: result.result.error,
2090
+ errors: result.result.errors,
2091
+ stepResults: result.result.stepResults
2092
+ };
2093
+ } else if (result.status === "failed") {
2094
+ return {
2095
+ success: false,
2096
+ applied: false,
2097
+ message: `Agent builder action failed: ${result.error.message}`,
2098
+ error: result.error.message
2099
+ };
2100
+ } else {
2101
+ return {
2102
+ success: false,
2103
+ applied: false,
2104
+ message: "Agent builder action was suspended",
2105
+ error: "Workflow suspended - manual intervention required"
2106
+ };
2107
+ }
2108
+ }
2109
+ /**
2110
+ * Creates a new agent builder action run and returns the runId.
2111
+ * This calls `/api/agent-builder/:actionId/create-run`.
2112
+ */
2113
+ async createRun(params) {
2114
+ const searchParams = new URLSearchParams();
2115
+ if (!!params?.runId) {
2116
+ searchParams.set("runId", params.runId);
2117
+ }
2118
+ const url = `/api/agent-builder/${this.actionId}/create-run${searchParams.toString() ? `?${searchParams.toString()}` : ""}`;
2119
+ return this.request(url, {
2120
+ method: "POST"
2121
+ });
2122
+ }
2123
+ /**
2124
+ * Creates a new workflow run (alias for createRun)
2125
+ * @param params - Optional object containing the optional runId
2126
+ * @returns Promise containing the runId of the created run
2127
+ */
2128
+ createRunAsync(params) {
2129
+ return this.createRun(params);
2130
+ }
2131
+ /**
2132
+ * Starts agent builder action asynchronously and waits for completion.
2133
+ * This calls `/api/agent-builder/:actionId/start-async`.
2134
+ */
2135
+ async startAsync(params, runId) {
2136
+ const searchParams = new URLSearchParams();
2137
+ if (runId) {
2138
+ searchParams.set("runId", runId);
2139
+ }
2140
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2141
+ const { runtimeContext: _, ...actionParams } = params;
2142
+ const url = `/api/agent-builder/${this.actionId}/start-async${searchParams.toString() ? `?${searchParams.toString()}` : ""}`;
2143
+ const result = await this.request(url, {
2144
+ method: "POST",
2145
+ body: { ...actionParams, runtimeContext }
2146
+ });
2147
+ return this.transformWorkflowResult(result);
2148
+ }
2149
+ /**
2150
+ * Starts an existing agent builder action run.
2151
+ * This calls `/api/agent-builder/:actionId/start`.
2152
+ */
2153
+ async startActionRun(params, runId) {
2154
+ const searchParams = new URLSearchParams();
2155
+ searchParams.set("runId", runId);
2156
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2157
+ const { runtimeContext: _, ...actionParams } = params;
2158
+ const url = `/api/agent-builder/${this.actionId}/start?${searchParams.toString()}`;
2159
+ return this.request(url, {
2160
+ method: "POST",
2161
+ body: { ...actionParams, runtimeContext }
2162
+ });
2163
+ }
2164
+ /**
2165
+ * Resumes a suspended agent builder action step.
2166
+ * This calls `/api/agent-builder/:actionId/resume`.
2167
+ */
2168
+ async resume(params, runId) {
2169
+ const searchParams = new URLSearchParams();
2170
+ searchParams.set("runId", runId);
2171
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2172
+ const { runtimeContext: _, ...resumeParams } = params;
2173
+ const url = `/api/agent-builder/${this.actionId}/resume?${searchParams.toString()}`;
2174
+ return this.request(url, {
2175
+ method: "POST",
2176
+ body: { ...resumeParams, runtimeContext }
2177
+ });
2178
+ }
2179
+ /**
2180
+ * Resumes a suspended agent builder action step asynchronously.
2181
+ * This calls `/api/agent-builder/:actionId/resume-async`.
2182
+ */
2183
+ async resumeAsync(params, runId) {
2184
+ const searchParams = new URLSearchParams();
2185
+ searchParams.set("runId", runId);
2186
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2187
+ const { runtimeContext: _, ...resumeParams } = params;
2188
+ const url = `/api/agent-builder/${this.actionId}/resume-async?${searchParams.toString()}`;
2189
+ const result = await this.request(url, {
2190
+ method: "POST",
2191
+ body: { ...resumeParams, runtimeContext }
2192
+ });
2193
+ return this.transformWorkflowResult(result);
2194
+ }
2195
+ /**
2196
+ * Creates an async generator that processes a readable stream and yields action records
2197
+ * separated by the Record Separator character (\x1E)
2198
+ *
2199
+ * @param stream - The readable stream to process
2200
+ * @returns An async generator that yields parsed records
2201
+ */
2202
+ async *streamProcessor(stream) {
2203
+ const reader = stream.getReader();
2204
+ let doneReading = false;
2205
+ let buffer = "";
2206
+ try {
2207
+ while (!doneReading) {
2208
+ const { done, value } = await reader.read();
2209
+ doneReading = done;
2210
+ if (done && !value) continue;
2211
+ try {
2212
+ const decoded = value ? new TextDecoder().decode(value) : "";
2213
+ const chunks = (buffer + decoded).split(RECORD_SEPARATOR3);
2214
+ buffer = chunks.pop() || "";
2215
+ for (const chunk of chunks) {
2216
+ if (chunk) {
2217
+ if (typeof chunk === "string") {
2218
+ try {
2219
+ const parsedChunk = JSON.parse(chunk);
2220
+ yield parsedChunk;
2221
+ } catch {
2222
+ }
2223
+ }
2224
+ }
2225
+ }
2226
+ } catch {
2227
+ }
2228
+ }
2229
+ if (buffer) {
2230
+ try {
2231
+ yield JSON.parse(buffer);
2232
+ } catch {
2233
+ }
2234
+ }
2235
+ } finally {
2236
+ reader.cancel().catch(() => {
2237
+ });
2238
+ }
2239
+ }
2240
+ /**
2241
+ * Streams agent builder action progress in real-time.
2242
+ * This calls `/api/agent-builder/:actionId/stream`.
2243
+ */
2244
+ async stream(params, runId) {
2245
+ const searchParams = new URLSearchParams();
2246
+ if (runId) {
2247
+ searchParams.set("runId", runId);
2248
+ }
2249
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2250
+ const { runtimeContext: _, ...actionParams } = params;
2251
+ const url = `/api/agent-builder/${this.actionId}/stream${searchParams.toString() ? `?${searchParams.toString()}` : ""}`;
2252
+ const response = await this.request(url, {
2253
+ method: "POST",
2254
+ body: { ...actionParams, runtimeContext },
2255
+ stream: true
2256
+ });
2257
+ if (!response.ok) {
2258
+ throw new Error(`Failed to stream agent builder action: ${response.statusText}`);
2259
+ }
2260
+ if (!response.body) {
2261
+ throw new Error("Response body is null");
2262
+ }
2263
+ let failedChunk = void 0;
2264
+ const transformStream = new TransformStream({
2265
+ start() {
2266
+ },
2267
+ async transform(chunk, controller) {
2268
+ try {
2269
+ const decoded = new TextDecoder().decode(chunk);
2270
+ const chunks = decoded.split(RECORD_SEPARATOR3);
2271
+ for (const chunk2 of chunks) {
2272
+ if (chunk2) {
2273
+ const newChunk = failedChunk ? failedChunk + chunk2 : chunk2;
2274
+ try {
2275
+ const parsedChunk = JSON.parse(newChunk);
2276
+ controller.enqueue(parsedChunk);
2277
+ failedChunk = void 0;
2278
+ } catch {
2279
+ failedChunk = newChunk;
2280
+ }
2281
+ }
2282
+ }
2283
+ } catch {
2284
+ }
2285
+ }
2286
+ });
2287
+ return response.body.pipeThrough(transformStream);
2288
+ }
2289
+ /**
2290
+ * Streams agent builder action progress in real-time using VNext streaming.
2291
+ * This calls `/api/agent-builder/:actionId/streamVNext`.
2292
+ */
2293
+ async streamVNext(params, runId) {
2294
+ const searchParams = new URLSearchParams();
2295
+ if (runId) {
2296
+ searchParams.set("runId", runId);
2297
+ }
2298
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
2299
+ const { runtimeContext: _, ...actionParams } = params;
2300
+ const url = `/api/agent-builder/${this.actionId}/streamVNext${searchParams.toString() ? `?${searchParams.toString()}` : ""}`;
2301
+ const response = await this.request(url, {
2302
+ method: "POST",
2303
+ body: { ...actionParams, runtimeContext },
2304
+ stream: true
2305
+ });
2306
+ if (!response.ok) {
2307
+ throw new Error(`Failed to stream agent builder action VNext: ${response.statusText}`);
2308
+ }
2309
+ if (!response.body) {
2310
+ throw new Error("Response body is null");
2311
+ }
2312
+ let failedChunk = void 0;
2313
+ const transformStream = new TransformStream({
2314
+ start() {
2315
+ },
2316
+ async transform(chunk, controller) {
2317
+ try {
2318
+ const decoded = new TextDecoder().decode(chunk);
2319
+ const chunks = decoded.split(RECORD_SEPARATOR3);
2320
+ for (const chunk2 of chunks) {
2321
+ if (chunk2) {
2322
+ const newChunk = failedChunk ? failedChunk + chunk2 : chunk2;
2323
+ try {
2324
+ const parsedChunk = JSON.parse(newChunk);
2325
+ controller.enqueue(parsedChunk);
2326
+ failedChunk = void 0;
2327
+ } catch {
2328
+ failedChunk = newChunk;
2329
+ }
2330
+ }
2331
+ }
2332
+ } catch {
2333
+ }
2334
+ }
2335
+ });
2336
+ return response.body.pipeThrough(transformStream);
2337
+ }
2338
+ /**
2339
+ * Watches an existing agent builder action run by runId.
2340
+ * This is used for hot reload recovery - it loads the existing run state
2341
+ * and streams any remaining progress.
2342
+ * This calls `/api/agent-builder/:actionId/watch`.
2343
+ */
2344
+ async watch({ runId, eventType }, onRecord) {
2345
+ const url = `/api/agent-builder/${this.actionId}/watch?runId=${runId}${eventType ? `&eventType=${eventType}` : ""}`;
2346
+ const response = await this.request(url, {
2347
+ method: "GET",
2348
+ stream: true
2349
+ });
2350
+ if (!response.ok) {
2351
+ throw new Error(`Failed to watch agent builder action: ${response.statusText}`);
2352
+ }
2353
+ if (!response.body) {
2354
+ throw new Error("Response body is null");
2355
+ }
2356
+ for await (const record of this.streamProcessor(response.body)) {
2357
+ if (typeof record === "string") {
2358
+ onRecord(JSON.parse(record));
2359
+ } else {
2360
+ onRecord(record);
2361
+ }
2362
+ }
2363
+ }
2364
+ /**
2365
+ * Gets a specific action run by its ID.
2366
+ * This calls `/api/agent-builder/:actionId/runs/:runId`.
2367
+ */
2368
+ async runById(runId) {
2369
+ const url = `/api/agent-builder/${this.actionId}/runs/${runId}`;
2370
+ return this.request(url, {
2371
+ method: "GET"
2372
+ });
2373
+ }
2374
+ /**
2375
+ * Gets details about this agent builder action.
2376
+ * This calls `/api/agent-builder/:actionId`.
2377
+ */
2378
+ async details() {
2379
+ const result = await this.request(`/api/agent-builder/${this.actionId}`);
2380
+ return result;
2381
+ }
2382
+ /**
2383
+ * Gets all runs for this agent builder action.
2384
+ * This calls `/api/agent-builder/:actionId/runs`.
2385
+ */
2386
+ async runs(params) {
2387
+ const searchParams = new URLSearchParams();
2388
+ if (params?.fromDate) {
2389
+ searchParams.set("fromDate", params.fromDate.toISOString());
2390
+ }
2391
+ if (params?.toDate) {
2392
+ searchParams.set("toDate", params.toDate.toISOString());
2393
+ }
2394
+ if (params?.limit !== void 0) {
2395
+ searchParams.set("limit", String(params.limit));
2396
+ }
2397
+ if (params?.offset !== void 0) {
2398
+ searchParams.set("offset", String(params.offset));
2399
+ }
2400
+ if (params?.resourceId) {
2401
+ searchParams.set("resourceId", params.resourceId);
2402
+ }
2403
+ const url = `/api/agent-builder/${this.actionId}/runs${searchParams.toString() ? `?${searchParams.toString()}` : ""}`;
2404
+ return this.request(url, {
2405
+ method: "GET"
2406
+ });
2407
+ }
2408
+ /**
2409
+ * Gets the execution result of an agent builder action run.
2410
+ * This calls `/api/agent-builder/:actionId/runs/:runId/execution-result`.
2411
+ */
2412
+ async runExecutionResult(runId) {
2413
+ const url = `/api/agent-builder/${this.actionId}/runs/${runId}/execution-result`;
2414
+ return this.request(url, {
2415
+ method: "GET"
2416
+ });
2417
+ }
2418
+ /**
2419
+ * Cancels an agent builder action run.
2420
+ * This calls `/api/agent-builder/:actionId/runs/:runId/cancel`.
2421
+ */
2422
+ async cancelRun(runId) {
2423
+ const url = `/api/agent-builder/${this.actionId}/runs/${runId}/cancel`;
2424
+ return this.request(url, {
2425
+ method: "POST"
2426
+ });
2427
+ }
2428
+ /**
2429
+ * Sends an event to an agent builder action run.
2430
+ * This calls `/api/agent-builder/:actionId/runs/:runId/send-event`.
2431
+ */
2432
+ async sendRunEvent(params) {
2433
+ const url = `/api/agent-builder/${this.actionId}/runs/${params.runId}/send-event`;
2434
+ return this.request(url, {
2435
+ method: "POST",
2436
+ body: { event: params.event, data: params.data }
2437
+ });
2438
+ }
2439
+ };
2440
+
2441
+ // src/resources/observability.ts
2442
+ var Observability = class extends BaseResource {
2443
+ constructor(options) {
2444
+ super(options);
2445
+ }
2446
+ /**
2447
+ * Retrieves a specific AI trace by ID
2448
+ * @param traceId - ID of the trace to retrieve
2449
+ * @returns Promise containing the AI trace with all its spans
2450
+ */
2451
+ getTrace(traceId) {
2452
+ return this.request(`/api/observability/traces/${traceId}`);
2453
+ }
2454
+ /**
2455
+ * Retrieves paginated list of AI traces with optional filtering
2456
+ * @param params - Parameters for pagination and filtering
2457
+ * @returns Promise containing paginated traces and pagination info
2458
+ */
2459
+ getTraces(params) {
2460
+ const { pagination, filters } = params;
2461
+ const { page, perPage, dateRange } = pagination || {};
2462
+ const { name, spanType } = filters || {};
2463
+ const searchParams = new URLSearchParams();
2464
+ if (page !== void 0) {
2465
+ searchParams.set("page", String(page));
2466
+ }
2467
+ if (perPage !== void 0) {
2468
+ searchParams.set("perPage", String(perPage));
2469
+ }
2470
+ if (name) {
2471
+ searchParams.set("name", name);
2472
+ }
2473
+ if (spanType !== void 0) {
2474
+ searchParams.set("spanType", String(spanType));
2475
+ }
2476
+ if (dateRange) {
2477
+ const dateRangeStr = JSON.stringify({
2478
+ start: dateRange.start instanceof Date ? dateRange.start.toISOString() : dateRange.start,
2479
+ end: dateRange.end instanceof Date ? dateRange.end.toISOString() : dateRange.end
2480
+ });
2481
+ searchParams.set("dateRange", dateRangeStr);
2482
+ }
2483
+ const queryString = searchParams.toString();
2484
+ return this.request(`/api/observability/traces${queryString ? `?${queryString}` : ""}`);
2485
+ }
2486
+ };
2487
+
2488
+ // src/resources/network-memory-thread.ts
2489
+ var NetworkMemoryThread = class extends BaseResource {
2490
+ constructor(options, threadId, networkId) {
2491
+ super(options);
2492
+ this.threadId = threadId;
2493
+ this.networkId = networkId;
2494
+ }
2495
+ /**
2496
+ * Retrieves the memory thread details
2497
+ * @returns Promise containing thread details including title and metadata
2498
+ */
2499
+ get() {
2500
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`);
2501
+ }
2502
+ /**
2503
+ * Updates the memory thread properties
2504
+ * @param params - Update parameters including title and metadata
2505
+ * @returns Promise containing updated thread details
2506
+ */
2507
+ update(params) {
2508
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
2509
+ method: "PATCH",
2510
+ body: params
2511
+ });
2512
+ }
2513
+ /**
2514
+ * Deletes the memory thread
2515
+ * @returns Promise containing deletion result
2516
+ */
2517
+ delete() {
2518
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
2519
+ method: "DELETE"
2520
+ });
2521
+ }
2522
+ /**
2523
+ * Retrieves messages associated with the thread
2524
+ * @param params - Optional parameters including limit for number of messages to retrieve
2525
+ * @returns Promise containing thread messages and UI messages
2526
+ */
2527
+ getMessages(params) {
2528
+ const query = new URLSearchParams({
2529
+ networkId: this.networkId,
2530
+ ...params?.limit ? { limit: params.limit.toString() } : {}
2531
+ });
2532
+ return this.request(`/api/memory/network/threads/${this.threadId}/messages?${query.toString()}`);
2533
+ }
2534
+ /**
2535
+ * Deletes one or more messages from the thread
2536
+ * @param messageIds - Can be a single message ID (string), array of message IDs,
2537
+ * message object with id property, or array of message objects
2538
+ * @returns Promise containing deletion result
2539
+ */
2540
+ deleteMessages(messageIds) {
2541
+ const query = new URLSearchParams({
2542
+ networkId: this.networkId
2543
+ });
2544
+ return this.request(`/api/memory/network/messages/delete?${query.toString()}`, {
2545
+ method: "POST",
2546
+ body: { messageIds }
2547
+ });
2548
+ }
2549
+ };
2550
+
2551
+ // src/resources/vNextNetwork.ts
2552
+ var RECORD_SEPARATOR4 = "";
2553
+ var VNextNetwork = class extends BaseResource {
2554
+ constructor(options, networkId) {
2555
+ super(options);
2556
+ this.networkId = networkId;
2557
+ }
2558
+ /**
2559
+ * Retrieves details about the network
2560
+ * @returns Promise containing vNext network details
2561
+ */
2562
+ details() {
2563
+ return this.request(`/api/networks/v-next/${this.networkId}`);
2564
+ }
2565
+ /**
2566
+ * Generates a response from the v-next network
2567
+ * @param params - Generation parameters including message
2568
+ * @returns Promise containing the generated response
2569
+ */
2570
+ generate(params) {
2571
+ return this.request(`/api/networks/v-next/${this.networkId}/generate`, {
2572
+ method: "POST",
2573
+ body: {
2574
+ ...params,
2575
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
2576
+ }
2577
+ });
2578
+ }
2579
+ /**
2580
+ * Generates a response from the v-next network using multiple primitives
2581
+ * @param params - Generation parameters including message
2582
+ * @returns Promise containing the generated response
2583
+ */
2584
+ loop(params) {
2585
+ return this.request(`/api/networks/v-next/${this.networkId}/loop`, {
2586
+ method: "POST",
2587
+ body: {
2588
+ ...params,
2589
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
2590
+ }
2591
+ });
2592
+ }
2593
+ async *streamProcessor(stream) {
2594
+ const reader = stream.getReader();
2595
+ let doneReading = false;
2596
+ let buffer = "";
2597
+ try {
2598
+ while (!doneReading) {
2599
+ const { done, value } = await reader.read();
2600
+ doneReading = done;
2601
+ if (done && !value) continue;
2602
+ try {
2603
+ const decoded = value ? new TextDecoder().decode(value) : "";
2604
+ const chunks = (buffer + decoded).split(RECORD_SEPARATOR4);
2605
+ buffer = chunks.pop() || "";
2606
+ for (const chunk of chunks) {
2607
+ if (chunk) {
2608
+ if (typeof chunk === "string") {
2609
+ try {
2610
+ const parsedChunk = JSON.parse(chunk);
2611
+ yield parsedChunk;
2612
+ } catch {
2613
+ }
2614
+ }
2615
+ }
2616
+ }
2617
+ } catch {
491
2618
  }
492
2619
  }
493
2620
  if (buffer) {
@@ -502,56 +2629,69 @@ var Workflow = class extends BaseResource {
502
2629
  }
503
2630
  }
504
2631
  /**
505
- * Watches workflow transitions in real-time
506
- * @param runId - Optional run ID to filter the watch stream
507
- * @returns AsyncGenerator that yields parsed records from the workflow watch stream
2632
+ * Streams a response from the v-next network
2633
+ * @param params - Stream parameters including message
2634
+ * @returns Promise containing the results
508
2635
  */
509
- async watch({ runId }, onRecord) {
510
- const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
2636
+ async stream(params, onRecord) {
2637
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/stream`, {
2638
+ method: "POST",
2639
+ body: {
2640
+ ...params,
2641
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
2642
+ },
511
2643
  stream: true
512
2644
  });
513
2645
  if (!response.ok) {
514
- throw new Error(`Failed to watch workflow: ${response.statusText}`);
2646
+ throw new Error(`Failed to stream vNext network: ${response.statusText}`);
515
2647
  }
516
2648
  if (!response.body) {
517
2649
  throw new Error("Response body is null");
518
2650
  }
519
2651
  for await (const record of this.streamProcessor(response.body)) {
520
- onRecord(record);
2652
+ if (typeof record === "string") {
2653
+ onRecord(JSON.parse(record));
2654
+ } else {
2655
+ onRecord(record);
2656
+ }
521
2657
  }
522
2658
  }
523
- };
524
-
525
- // src/resources/tool.ts
526
- var Tool = class extends BaseResource {
527
- constructor(options, toolId) {
528
- super(options);
529
- this.toolId = toolId;
530
- }
531
- /**
532
- * Retrieves details about the tool
533
- * @returns Promise containing tool details including description and schemas
534
- */
535
- details() {
536
- return this.request(`/api/tools/${this.toolId}`);
537
- }
538
2659
  /**
539
- * Executes the tool with the provided parameters
540
- * @param params - Parameters required for tool execution
541
- * @returns Promise containing the tool execution results
2660
+ * Streams a response from the v-next network loop
2661
+ * @param params - Stream parameters including message
2662
+ * @returns Promise containing the results
542
2663
  */
543
- execute(params) {
544
- return this.request(`/api/tools/${this.toolId}/execute`, {
2664
+ async loopStream(params, onRecord) {
2665
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/loop-stream`, {
545
2666
  method: "POST",
546
- body: params
2667
+ body: {
2668
+ ...params,
2669
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
2670
+ },
2671
+ stream: true
547
2672
  });
2673
+ if (!response.ok) {
2674
+ throw new Error(`Failed to stream vNext network loop: ${response.statusText}`);
2675
+ }
2676
+ if (!response.body) {
2677
+ throw new Error("Response body is null");
2678
+ }
2679
+ for await (const record of this.streamProcessor(response.body)) {
2680
+ if (typeof record === "string") {
2681
+ onRecord(JSON.parse(record));
2682
+ } else {
2683
+ onRecord(record);
2684
+ }
2685
+ }
548
2686
  }
549
2687
  };
550
2688
 
551
2689
  // src/client.ts
552
2690
  var MastraClient = class extends BaseResource {
2691
+ observability;
553
2692
  constructor(options) {
554
2693
  super(options);
2694
+ this.observability = new Observability(options);
555
2695
  }
556
2696
  /**
557
2697
  * Retrieves all available agents
@@ -610,6 +2750,48 @@ var MastraClient = class extends BaseResource {
610
2750
  getMemoryStatus(agentId) {
611
2751
  return this.request(`/api/memory/status?agentId=${agentId}`);
612
2752
  }
2753
+ /**
2754
+ * Retrieves memory threads for a resource
2755
+ * @param params - Parameters containing the resource ID
2756
+ * @returns Promise containing array of memory threads
2757
+ */
2758
+ getNetworkMemoryThreads(params) {
2759
+ return this.request(`/api/memory/network/threads?resourceid=${params.resourceId}&networkId=${params.networkId}`);
2760
+ }
2761
+ /**
2762
+ * Creates a new memory thread
2763
+ * @param params - Parameters for creating the memory thread
2764
+ * @returns Promise containing the created memory thread
2765
+ */
2766
+ createNetworkMemoryThread(params) {
2767
+ return this.request(`/api/memory/network/threads?networkId=${params.networkId}`, { method: "POST", body: params });
2768
+ }
2769
+ /**
2770
+ * Gets a memory thread instance by ID
2771
+ * @param threadId - ID of the memory thread to retrieve
2772
+ * @returns MemoryThread instance
2773
+ */
2774
+ getNetworkMemoryThread(threadId, networkId) {
2775
+ return new NetworkMemoryThread(this.options, threadId, networkId);
2776
+ }
2777
+ /**
2778
+ * Saves messages to memory
2779
+ * @param params - Parameters containing messages to save
2780
+ * @returns Promise containing the saved messages
2781
+ */
2782
+ saveNetworkMessageToMemory(params) {
2783
+ return this.request(`/api/memory/network/save-messages?networkId=${params.networkId}`, {
2784
+ method: "POST",
2785
+ body: params
2786
+ });
2787
+ }
2788
+ /**
2789
+ * Gets the status of the memory system
2790
+ * @returns Promise containing memory system status
2791
+ */
2792
+ getNetworkMemoryStatus(networkId) {
2793
+ return this.request(`/api/memory/network/status?networkId=${networkId}`);
2794
+ }
613
2795
  /**
614
2796
  * Retrieves all available tools
615
2797
  * @returns Promise containing map of tool IDs to tool details
@@ -625,6 +2807,21 @@ var MastraClient = class extends BaseResource {
625
2807
  getTool(toolId) {
626
2808
  return new Tool(this.options, toolId);
627
2809
  }
2810
+ /**
2811
+ * Retrieves all available legacy workflows
2812
+ * @returns Promise containing map of legacy workflow IDs to legacy workflow details
2813
+ */
2814
+ getLegacyWorkflows() {
2815
+ return this.request("/api/workflows/legacy");
2816
+ }
2817
+ /**
2818
+ * Gets a legacy workflow instance by ID
2819
+ * @param workflowId - ID of the legacy workflow to retrieve
2820
+ * @returns Legacy Workflow instance
2821
+ */
2822
+ getLegacyWorkflow(workflowId) {
2823
+ return new LegacyWorkflow(this.options, workflowId);
2824
+ }
628
2825
  /**
629
2826
  * Retrieves all available workflows
630
2827
  * @returns Promise containing map of workflow IDs to workflow details
@@ -640,6 +2837,20 @@ var MastraClient = class extends BaseResource {
640
2837
  getWorkflow(workflowId) {
641
2838
  return new Workflow(this.options, workflowId);
642
2839
  }
2840
+ /**
2841
+ * Gets all available agent builder actions
2842
+ * @returns Promise containing map of action IDs to action details
2843
+ */
2844
+ getAgentBuilderActions() {
2845
+ return this.request("/api/agent-builder/");
2846
+ }
2847
+ /**
2848
+ * Gets an agent builder instance for executing agent-builder workflows
2849
+ * @returns AgentBuilder instance
2850
+ */
2851
+ getAgentBuilderAction(actionId) {
2852
+ return new AgentBuilder(this.options, actionId);
2853
+ }
643
2854
  /**
644
2855
  * Gets a vector instance by name
645
2856
  * @param vectorName - Name of the vector to retrieve
@@ -654,7 +2865,41 @@ var MastraClient = class extends BaseResource {
654
2865
  * @returns Promise containing array of log messages
655
2866
  */
656
2867
  getLogs(params) {
657
- return this.request(`/api/logs?transportId=${params.transportId}`);
2868
+ const { transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
2869
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
2870
+ const searchParams = new URLSearchParams();
2871
+ if (transportId) {
2872
+ searchParams.set("transportId", transportId);
2873
+ }
2874
+ if (fromDate) {
2875
+ searchParams.set("fromDate", fromDate.toISOString());
2876
+ }
2877
+ if (toDate) {
2878
+ searchParams.set("toDate", toDate.toISOString());
2879
+ }
2880
+ if (logLevel) {
2881
+ searchParams.set("logLevel", logLevel);
2882
+ }
2883
+ if (page) {
2884
+ searchParams.set("page", String(page));
2885
+ }
2886
+ if (perPage) {
2887
+ searchParams.set("perPage", String(perPage));
2888
+ }
2889
+ if (_filters) {
2890
+ if (Array.isArray(_filters)) {
2891
+ for (const filter of _filters) {
2892
+ searchParams.append("filters", filter);
2893
+ }
2894
+ } else {
2895
+ searchParams.set("filters", _filters);
2896
+ }
2897
+ }
2898
+ if (searchParams.size) {
2899
+ return this.request(`/api/logs?${searchParams}`);
2900
+ } else {
2901
+ return this.request(`/api/logs`);
2902
+ }
658
2903
  }
659
2904
  /**
660
2905
  * Gets logs for a specific run
@@ -662,7 +2907,44 @@ var MastraClient = class extends BaseResource {
662
2907
  * @returns Promise containing array of log messages
663
2908
  */
664
2909
  getLogForRun(params) {
665
- return this.request(`/api/logs/${params.runId}?transportId=${params.transportId}`);
2910
+ const { runId, transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
2911
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
2912
+ const searchParams = new URLSearchParams();
2913
+ if (runId) {
2914
+ searchParams.set("runId", runId);
2915
+ }
2916
+ if (transportId) {
2917
+ searchParams.set("transportId", transportId);
2918
+ }
2919
+ if (fromDate) {
2920
+ searchParams.set("fromDate", fromDate.toISOString());
2921
+ }
2922
+ if (toDate) {
2923
+ searchParams.set("toDate", toDate.toISOString());
2924
+ }
2925
+ if (logLevel) {
2926
+ searchParams.set("logLevel", logLevel);
2927
+ }
2928
+ if (page) {
2929
+ searchParams.set("page", String(page));
2930
+ }
2931
+ if (perPage) {
2932
+ searchParams.set("perPage", String(perPage));
2933
+ }
2934
+ if (_filters) {
2935
+ if (Array.isArray(_filters)) {
2936
+ for (const filter of _filters) {
2937
+ searchParams.append("filters", filter);
2938
+ }
2939
+ } else {
2940
+ searchParams.set("filters", _filters);
2941
+ }
2942
+ }
2943
+ if (searchParams.size) {
2944
+ return this.request(`/api/logs/${runId}?${searchParams}`);
2945
+ } else {
2946
+ return this.request(`/api/logs/${runId}`);
2947
+ }
666
2948
  }
667
2949
  /**
668
2950
  * List of all log transports
@@ -677,7 +2959,7 @@ var MastraClient = class extends BaseResource {
677
2959
  * @returns Promise containing telemetry data
678
2960
  */
679
2961
  getTelemetry(params) {
680
- const { name, scope, page, perPage, attribute } = params || {};
2962
+ const { name, scope, page, perPage, attribute, fromDate, toDate } = params || {};
681
2963
  const _attribute = attribute ? Object.entries(attribute).map(([key, value]) => `${key}:${value}`) : [];
682
2964
  const searchParams = new URLSearchParams();
683
2965
  if (name) {
@@ -701,6 +2983,12 @@ var MastraClient = class extends BaseResource {
701
2983
  searchParams.set("attribute", _attribute);
702
2984
  }
703
2985
  }
2986
+ if (fromDate) {
2987
+ searchParams.set("fromDate", fromDate.toISOString());
2988
+ }
2989
+ if (toDate) {
2990
+ searchParams.set("toDate", toDate.toISOString());
2991
+ }
704
2992
  if (searchParams.size) {
705
2993
  return this.request(`/api/telemetry?${searchParams}`);
706
2994
  } else {
@@ -714,6 +3002,13 @@ var MastraClient = class extends BaseResource {
714
3002
  getNetworks() {
715
3003
  return this.request("/api/networks");
716
3004
  }
3005
+ /**
3006
+ * Retrieves all available vNext networks
3007
+ * @returns Promise containing map of vNext network IDs to vNext network details
3008
+ */
3009
+ getVNextNetworks() {
3010
+ return this.request("/api/networks/v-next");
3011
+ }
717
3012
  /**
718
3013
  * Gets a network instance by ID
719
3014
  * @param networkId - ID of the network to retrieve
@@ -722,6 +3017,198 @@ var MastraClient = class extends BaseResource {
722
3017
  getNetwork(networkId) {
723
3018
  return new Network(this.options, networkId);
724
3019
  }
3020
+ /**
3021
+ * Gets a vNext network instance by ID
3022
+ * @param networkId - ID of the vNext network to retrieve
3023
+ * @returns vNext Network instance
3024
+ */
3025
+ getVNextNetwork(networkId) {
3026
+ return new VNextNetwork(this.options, networkId);
3027
+ }
3028
+ /**
3029
+ * Retrieves a list of available MCP servers.
3030
+ * @param params - Optional parameters for pagination (limit, offset).
3031
+ * @returns Promise containing the list of MCP servers and pagination info.
3032
+ */
3033
+ getMcpServers(params) {
3034
+ const searchParams = new URLSearchParams();
3035
+ if (params?.limit !== void 0) {
3036
+ searchParams.set("limit", String(params.limit));
3037
+ }
3038
+ if (params?.offset !== void 0) {
3039
+ searchParams.set("offset", String(params.offset));
3040
+ }
3041
+ const queryString = searchParams.toString();
3042
+ return this.request(`/api/mcp/v0/servers${queryString ? `?${queryString}` : ""}`);
3043
+ }
3044
+ /**
3045
+ * Retrieves detailed information for a specific MCP server.
3046
+ * @param serverId - The ID of the MCP server to retrieve.
3047
+ * @param params - Optional parameters, e.g., specific version.
3048
+ * @returns Promise containing the detailed MCP server information.
3049
+ */
3050
+ getMcpServerDetails(serverId, params) {
3051
+ const searchParams = new URLSearchParams();
3052
+ if (params?.version) {
3053
+ searchParams.set("version", params.version);
3054
+ }
3055
+ const queryString = searchParams.toString();
3056
+ return this.request(`/api/mcp/v0/servers/${serverId}${queryString ? `?${queryString}` : ""}`);
3057
+ }
3058
+ /**
3059
+ * Retrieves a list of tools for a specific MCP server.
3060
+ * @param serverId - The ID of the MCP server.
3061
+ * @returns Promise containing the list of tools.
3062
+ */
3063
+ getMcpServerTools(serverId) {
3064
+ return this.request(`/api/mcp/${serverId}/tools`);
3065
+ }
3066
+ /**
3067
+ * Gets an MCPTool resource instance for a specific tool on an MCP server.
3068
+ * This instance can then be used to fetch details or execute the tool.
3069
+ * @param serverId - The ID of the MCP server.
3070
+ * @param toolId - The ID of the tool.
3071
+ * @returns MCPTool instance.
3072
+ */
3073
+ getMcpServerTool(serverId, toolId) {
3074
+ return new MCPTool(this.options, serverId, toolId);
3075
+ }
3076
+ /**
3077
+ * Gets an A2A client for interacting with an agent via the A2A protocol
3078
+ * @param agentId - ID of the agent to interact with
3079
+ * @returns A2A client instance
3080
+ */
3081
+ getA2A(agentId) {
3082
+ return new A2A(this.options, agentId);
3083
+ }
3084
+ /**
3085
+ * Retrieves the working memory for a specific thread (optionally resource-scoped).
3086
+ * @param agentId - ID of the agent.
3087
+ * @param threadId - ID of the thread.
3088
+ * @param resourceId - Optional ID of the resource.
3089
+ * @returns Working memory for the specified thread or resource.
3090
+ */
3091
+ getWorkingMemory({
3092
+ agentId,
3093
+ threadId,
3094
+ resourceId
3095
+ }) {
3096
+ return this.request(`/api/memory/threads/${threadId}/working-memory?agentId=${agentId}&resourceId=${resourceId}`);
3097
+ }
3098
+ /**
3099
+ * Updates the working memory for a specific thread (optionally resource-scoped).
3100
+ * @param agentId - ID of the agent.
3101
+ * @param threadId - ID of the thread.
3102
+ * @param workingMemory - The new working memory content.
3103
+ * @param resourceId - Optional ID of the resource.
3104
+ */
3105
+ updateWorkingMemory({
3106
+ agentId,
3107
+ threadId,
3108
+ workingMemory,
3109
+ resourceId
3110
+ }) {
3111
+ return this.request(`/api/memory/threads/${threadId}/working-memory?agentId=${agentId}`, {
3112
+ method: "POST",
3113
+ body: {
3114
+ workingMemory,
3115
+ resourceId
3116
+ }
3117
+ });
3118
+ }
3119
+ /**
3120
+ * Retrieves all available scorers
3121
+ * @returns Promise containing list of available scorers
3122
+ */
3123
+ getScorers() {
3124
+ return this.request("/api/scores/scorers");
3125
+ }
3126
+ /**
3127
+ * Retrieves a scorer by ID
3128
+ * @param scorerId - ID of the scorer to retrieve
3129
+ * @returns Promise containing the scorer
3130
+ */
3131
+ getScorer(scorerId) {
3132
+ return this.request(`/api/scores/scorers/${scorerId}`);
3133
+ }
3134
+ getScoresByScorerId(params) {
3135
+ const { page, perPage, scorerId, entityId, entityType } = params;
3136
+ const searchParams = new URLSearchParams();
3137
+ if (entityId) {
3138
+ searchParams.set("entityId", entityId);
3139
+ }
3140
+ if (entityType) {
3141
+ searchParams.set("entityType", entityType);
3142
+ }
3143
+ if (page !== void 0) {
3144
+ searchParams.set("page", String(page));
3145
+ }
3146
+ if (perPage !== void 0) {
3147
+ searchParams.set("perPage", String(perPage));
3148
+ }
3149
+ const queryString = searchParams.toString();
3150
+ return this.request(`/api/scores/scorer/${scorerId}${queryString ? `?${queryString}` : ""}`);
3151
+ }
3152
+ /**
3153
+ * Retrieves scores by run ID
3154
+ * @param params - Parameters containing run ID and pagination options
3155
+ * @returns Promise containing scores and pagination info
3156
+ */
3157
+ getScoresByRunId(params) {
3158
+ const { runId, page, perPage } = params;
3159
+ const searchParams = new URLSearchParams();
3160
+ if (page !== void 0) {
3161
+ searchParams.set("page", String(page));
3162
+ }
3163
+ if (perPage !== void 0) {
3164
+ searchParams.set("perPage", String(perPage));
3165
+ }
3166
+ const queryString = searchParams.toString();
3167
+ return this.request(`/api/scores/run/${runId}${queryString ? `?${queryString}` : ""}`);
3168
+ }
3169
+ /**
3170
+ * Retrieves scores by entity ID and type
3171
+ * @param params - Parameters containing entity ID, type, and pagination options
3172
+ * @returns Promise containing scores and pagination info
3173
+ */
3174
+ getScoresByEntityId(params) {
3175
+ const { entityId, entityType, page, perPage } = params;
3176
+ const searchParams = new URLSearchParams();
3177
+ if (page !== void 0) {
3178
+ searchParams.set("page", String(page));
3179
+ }
3180
+ if (perPage !== void 0) {
3181
+ searchParams.set("perPage", String(perPage));
3182
+ }
3183
+ const queryString = searchParams.toString();
3184
+ return this.request(`/api/scores/entity/${entityType}/${entityId}${queryString ? `?${queryString}` : ""}`);
3185
+ }
3186
+ /**
3187
+ * Saves a score
3188
+ * @param params - Parameters containing the score data to save
3189
+ * @returns Promise containing the saved score
3190
+ */
3191
+ saveScore(params) {
3192
+ return this.request("/api/scores", {
3193
+ method: "POST",
3194
+ body: params
3195
+ });
3196
+ }
3197
+ /**
3198
+ * Retrieves model providers with available keys
3199
+ * @returns Promise containing model providers with available keys
3200
+ */
3201
+ getModelProviders() {
3202
+ return this.request(`/api/model-providers`);
3203
+ }
3204
+ getAITrace(traceId) {
3205
+ return this.observability.getTrace(traceId);
3206
+ }
3207
+ getAITraces(params) {
3208
+ return this.observability.getTraces(params);
3209
+ }
725
3210
  };
726
3211
 
727
3212
  export { MastraClient };
3213
+ //# sourceMappingURL=index.js.map
3214
+ //# sourceMappingURL=index.js.map