@mastra/client-js 0.0.0-generate-message-id-20250512171942 → 0.0.0-http-transporter-20250702160118

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/dist/index.cjs CHANGED
@@ -5,6 +5,8 @@ var rxjs = require('rxjs');
5
5
  var uiUtils = require('@ai-sdk/ui-utils');
6
6
  var zod = require('zod');
7
7
  var originalZodToJsonSchema = require('zod-to-json-schema');
8
+ var tools = require('@mastra/core/tools');
9
+ var runtimeContext = require('@mastra/core/runtime-context');
8
10
 
9
11
  function _interopDefault (e) { return e && e.__esModule ? e : { default: e }; }
10
12
 
@@ -201,6 +203,33 @@ function zodToJsonSchema(zodSchema) {
201
203
  }
202
204
  return originalZodToJsonSchema__default.default(zodSchema, { $refStrategy: "none" });
203
205
  }
206
+ function processClientTools(clientTools) {
207
+ if (!clientTools) {
208
+ return void 0;
209
+ }
210
+ return Object.fromEntries(
211
+ Object.entries(clientTools).map(([key, value]) => {
212
+ if (tools.isVercelTool(value)) {
213
+ return [
214
+ key,
215
+ {
216
+ ...value,
217
+ parameters: value.parameters ? zodToJsonSchema(value.parameters) : void 0
218
+ }
219
+ ];
220
+ } else {
221
+ return [
222
+ key,
223
+ {
224
+ ...value,
225
+ inputSchema: value.inputSchema ? zodToJsonSchema(value.inputSchema) : void 0,
226
+ outputSchema: value.outputSchema ? zodToJsonSchema(value.outputSchema) : void 0
227
+ }
228
+ ];
229
+ }
230
+ })
231
+ );
232
+ }
204
233
 
205
234
  // src/resources/base.ts
206
235
  var BaseResource = class {
@@ -220,9 +249,10 @@ var BaseResource = class {
220
249
  let delay = backoffMs;
221
250
  for (let attempt = 0; attempt <= retries; attempt++) {
222
251
  try {
223
- const response = await fetch(`${baseUrl}${path}`, {
252
+ const response = await fetch(`${baseUrl.replace(/\/$/, "")}${path}`, {
224
253
  ...options,
225
254
  headers: {
255
+ ...options.method === "POST" || options.method === "PUT" ? { "content-type": "application/json" } : {},
226
256
  ...headers,
227
257
  ...options.headers
228
258
  // TODO: Bring this back once we figure out what we/users need to do to make this work with cross-origin requests
@@ -260,8 +290,15 @@ var BaseResource = class {
260
290
  throw lastError || new Error("Request failed");
261
291
  }
262
292
  };
263
-
264
- // src/resources/agent.ts
293
+ function parseClientRuntimeContext(runtimeContext$1) {
294
+ if (runtimeContext$1) {
295
+ if (runtimeContext$1 instanceof runtimeContext.RuntimeContext) {
296
+ return Object.fromEntries(runtimeContext$1.entries());
297
+ }
298
+ return runtimeContext$1;
299
+ }
300
+ return void 0;
301
+ }
265
302
  var AgentVoice = class extends BaseResource {
266
303
  constructor(options, agentId) {
267
304
  super(options);
@@ -308,6 +345,13 @@ var AgentVoice = class extends BaseResource {
308
345
  getSpeakers() {
309
346
  return this.request(`/api/agents/${this.agentId}/voice/speakers`);
310
347
  }
348
+ /**
349
+ * Get the listener configuration for the agent's voice provider
350
+ * @returns Promise containing a check if the agent has listening capabilities
351
+ */
352
+ getListener() {
353
+ return this.request(`/api/agents/${this.agentId}/voice/listener`);
354
+ }
311
355
  };
312
356
  var Agent = class extends BaseResource {
313
357
  constructor(options, agentId) {
@@ -323,22 +367,318 @@ var Agent = class extends BaseResource {
323
367
  details() {
324
368
  return this.request(`/api/agents/${this.agentId}`);
325
369
  }
326
- /**
327
- * Generates a response from the agent
328
- * @param params - Generation parameters including prompt
329
- * @returns Promise containing the generated response
330
- */
331
- generate(params) {
370
+ async generate(params) {
332
371
  const processedParams = {
333
372
  ...params,
334
- output: zodToJsonSchema(params.output),
335
- experimental_output: zodToJsonSchema(params.experimental_output),
336
- runtimeContext: params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0
373
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
374
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
375
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
376
+ clientTools: processClientTools(params.clientTools)
337
377
  };
338
- return this.request(`/api/agents/${this.agentId}/generate`, {
378
+ const { runId, resourceId, threadId, runtimeContext } = processedParams;
379
+ const response = await this.request(`/api/agents/${this.agentId}/generate`, {
339
380
  method: "POST",
340
381
  body: processedParams
341
382
  });
383
+ if (response.finishReason === "tool-calls") {
384
+ for (const toolCall of response.toolCalls) {
385
+ const clientTool = params.clientTools?.[toolCall.toolName];
386
+ if (clientTool && clientTool.execute) {
387
+ const result = await clientTool.execute(
388
+ { context: toolCall?.args, runId, resourceId, threadId, runtimeContext },
389
+ {
390
+ messages: response.messages,
391
+ toolCallId: toolCall?.toolCallId
392
+ }
393
+ );
394
+ const updatedMessages = [
395
+ {
396
+ role: "user",
397
+ content: params.messages
398
+ },
399
+ ...response.response.messages,
400
+ {
401
+ role: "tool",
402
+ content: [
403
+ {
404
+ type: "tool-result",
405
+ toolCallId: toolCall.toolCallId,
406
+ toolName: toolCall.toolName,
407
+ result
408
+ }
409
+ ]
410
+ }
411
+ ];
412
+ return this.generate({
413
+ ...params,
414
+ messages: updatedMessages
415
+ });
416
+ }
417
+ }
418
+ }
419
+ return response;
420
+ }
421
+ async processChatResponse({
422
+ stream,
423
+ update,
424
+ onToolCall,
425
+ onFinish,
426
+ getCurrentDate = () => /* @__PURE__ */ new Date(),
427
+ lastMessage
428
+ }) {
429
+ const replaceLastMessage = lastMessage?.role === "assistant";
430
+ let step = replaceLastMessage ? 1 + // find max step in existing tool invocations:
431
+ (lastMessage.toolInvocations?.reduce((max, toolInvocation) => {
432
+ return Math.max(max, toolInvocation.step ?? 0);
433
+ }, 0) ?? 0) : 0;
434
+ const message = replaceLastMessage ? structuredClone(lastMessage) : {
435
+ id: crypto.randomUUID(),
436
+ createdAt: getCurrentDate(),
437
+ role: "assistant",
438
+ content: "",
439
+ parts: []
440
+ };
441
+ let currentTextPart = void 0;
442
+ let currentReasoningPart = void 0;
443
+ let currentReasoningTextDetail = void 0;
444
+ function updateToolInvocationPart(toolCallId, invocation) {
445
+ const part = message.parts.find(
446
+ (part2) => part2.type === "tool-invocation" && part2.toolInvocation.toolCallId === toolCallId
447
+ );
448
+ if (part != null) {
449
+ part.toolInvocation = invocation;
450
+ } else {
451
+ message.parts.push({
452
+ type: "tool-invocation",
453
+ toolInvocation: invocation
454
+ });
455
+ }
456
+ }
457
+ const data = [];
458
+ let messageAnnotations = replaceLastMessage ? lastMessage?.annotations : void 0;
459
+ const partialToolCalls = {};
460
+ let usage = {
461
+ completionTokens: NaN,
462
+ promptTokens: NaN,
463
+ totalTokens: NaN
464
+ };
465
+ let finishReason = "unknown";
466
+ function execUpdate() {
467
+ const copiedData = [...data];
468
+ if (messageAnnotations?.length) {
469
+ message.annotations = messageAnnotations;
470
+ }
471
+ const copiedMessage = {
472
+ // deep copy the message to ensure that deep changes (msg attachments) are updated
473
+ // with SolidJS. SolidJS uses referential integration of sub-objects to detect changes.
474
+ ...structuredClone(message),
475
+ // add a revision id to ensure that the message is updated with SWR. SWR uses a
476
+ // hashing approach by default to detect changes, but it only works for shallow
477
+ // changes. This is why we need to add a revision id to ensure that the message
478
+ // is updated with SWR (without it, the changes get stuck in SWR and are not
479
+ // forwarded to rendering):
480
+ revisionId: crypto.randomUUID()
481
+ };
482
+ update({
483
+ message: copiedMessage,
484
+ data: copiedData,
485
+ replaceLastMessage
486
+ });
487
+ }
488
+ await uiUtils.processDataStream({
489
+ stream,
490
+ onTextPart(value) {
491
+ if (currentTextPart == null) {
492
+ currentTextPart = {
493
+ type: "text",
494
+ text: value
495
+ };
496
+ message.parts.push(currentTextPart);
497
+ } else {
498
+ currentTextPart.text += value;
499
+ }
500
+ message.content += value;
501
+ execUpdate();
502
+ },
503
+ onReasoningPart(value) {
504
+ if (currentReasoningTextDetail == null) {
505
+ currentReasoningTextDetail = { type: "text", text: value };
506
+ if (currentReasoningPart != null) {
507
+ currentReasoningPart.details.push(currentReasoningTextDetail);
508
+ }
509
+ } else {
510
+ currentReasoningTextDetail.text += value;
511
+ }
512
+ if (currentReasoningPart == null) {
513
+ currentReasoningPart = {
514
+ type: "reasoning",
515
+ reasoning: value,
516
+ details: [currentReasoningTextDetail]
517
+ };
518
+ message.parts.push(currentReasoningPart);
519
+ } else {
520
+ currentReasoningPart.reasoning += value;
521
+ }
522
+ message.reasoning = (message.reasoning ?? "") + value;
523
+ execUpdate();
524
+ },
525
+ onReasoningSignaturePart(value) {
526
+ if (currentReasoningTextDetail != null) {
527
+ currentReasoningTextDetail.signature = value.signature;
528
+ }
529
+ },
530
+ onRedactedReasoningPart(value) {
531
+ if (currentReasoningPart == null) {
532
+ currentReasoningPart = {
533
+ type: "reasoning",
534
+ reasoning: "",
535
+ details: []
536
+ };
537
+ message.parts.push(currentReasoningPart);
538
+ }
539
+ currentReasoningPart.details.push({
540
+ type: "redacted",
541
+ data: value.data
542
+ });
543
+ currentReasoningTextDetail = void 0;
544
+ execUpdate();
545
+ },
546
+ onFilePart(value) {
547
+ message.parts.push({
548
+ type: "file",
549
+ mimeType: value.mimeType,
550
+ data: value.data
551
+ });
552
+ execUpdate();
553
+ },
554
+ onSourcePart(value) {
555
+ message.parts.push({
556
+ type: "source",
557
+ source: value
558
+ });
559
+ execUpdate();
560
+ },
561
+ onToolCallStreamingStartPart(value) {
562
+ if (message.toolInvocations == null) {
563
+ message.toolInvocations = [];
564
+ }
565
+ partialToolCalls[value.toolCallId] = {
566
+ text: "",
567
+ step,
568
+ toolName: value.toolName,
569
+ index: message.toolInvocations.length
570
+ };
571
+ const invocation = {
572
+ state: "partial-call",
573
+ step,
574
+ toolCallId: value.toolCallId,
575
+ toolName: value.toolName,
576
+ args: void 0
577
+ };
578
+ message.toolInvocations.push(invocation);
579
+ updateToolInvocationPart(value.toolCallId, invocation);
580
+ execUpdate();
581
+ },
582
+ onToolCallDeltaPart(value) {
583
+ const partialToolCall = partialToolCalls[value.toolCallId];
584
+ partialToolCall.text += value.argsTextDelta;
585
+ const { value: partialArgs } = uiUtils.parsePartialJson(partialToolCall.text);
586
+ const invocation = {
587
+ state: "partial-call",
588
+ step: partialToolCall.step,
589
+ toolCallId: value.toolCallId,
590
+ toolName: partialToolCall.toolName,
591
+ args: partialArgs
592
+ };
593
+ message.toolInvocations[partialToolCall.index] = invocation;
594
+ updateToolInvocationPart(value.toolCallId, invocation);
595
+ execUpdate();
596
+ },
597
+ async onToolCallPart(value) {
598
+ const invocation = {
599
+ state: "call",
600
+ step,
601
+ ...value
602
+ };
603
+ if (partialToolCalls[value.toolCallId] != null) {
604
+ message.toolInvocations[partialToolCalls[value.toolCallId].index] = invocation;
605
+ } else {
606
+ if (message.toolInvocations == null) {
607
+ message.toolInvocations = [];
608
+ }
609
+ message.toolInvocations.push(invocation);
610
+ }
611
+ updateToolInvocationPart(value.toolCallId, invocation);
612
+ execUpdate();
613
+ if (onToolCall) {
614
+ const result = await onToolCall({ toolCall: value });
615
+ if (result != null) {
616
+ const invocation2 = {
617
+ state: "result",
618
+ step,
619
+ ...value,
620
+ result
621
+ };
622
+ message.toolInvocations[message.toolInvocations.length - 1] = invocation2;
623
+ updateToolInvocationPart(value.toolCallId, invocation2);
624
+ execUpdate();
625
+ }
626
+ }
627
+ },
628
+ onToolResultPart(value) {
629
+ const toolInvocations = message.toolInvocations;
630
+ if (toolInvocations == null) {
631
+ throw new Error("tool_result must be preceded by a tool_call");
632
+ }
633
+ const toolInvocationIndex = toolInvocations.findIndex((invocation2) => invocation2.toolCallId === value.toolCallId);
634
+ if (toolInvocationIndex === -1) {
635
+ throw new Error("tool_result must be preceded by a tool_call with the same toolCallId");
636
+ }
637
+ const invocation = {
638
+ ...toolInvocations[toolInvocationIndex],
639
+ state: "result",
640
+ ...value
641
+ };
642
+ toolInvocations[toolInvocationIndex] = invocation;
643
+ updateToolInvocationPart(value.toolCallId, invocation);
644
+ execUpdate();
645
+ },
646
+ onDataPart(value) {
647
+ data.push(...value);
648
+ execUpdate();
649
+ },
650
+ onMessageAnnotationsPart(value) {
651
+ if (messageAnnotations == null) {
652
+ messageAnnotations = [...value];
653
+ } else {
654
+ messageAnnotations.push(...value);
655
+ }
656
+ execUpdate();
657
+ },
658
+ onFinishStepPart(value) {
659
+ step += 1;
660
+ currentTextPart = value.isContinued ? currentTextPart : void 0;
661
+ currentReasoningPart = void 0;
662
+ currentReasoningTextDetail = void 0;
663
+ },
664
+ onStartStepPart(value) {
665
+ if (!replaceLastMessage) {
666
+ message.id = value.messageId;
667
+ }
668
+ message.parts.push({ type: "step-start" });
669
+ execUpdate();
670
+ },
671
+ onFinishMessagePart(value) {
672
+ finishReason = value.finishReason;
673
+ if (value.usage != null) {
674
+ usage = value.usage;
675
+ }
676
+ },
677
+ onErrorPart(error) {
678
+ throw new Error(error);
679
+ }
680
+ });
681
+ onFinish?.({ message, finishReason, usage });
342
682
  }
343
683
  /**
344
684
  * Streams a response from the agent
@@ -348,10 +688,30 @@ var Agent = class extends BaseResource {
348
688
  async stream(params) {
349
689
  const processedParams = {
350
690
  ...params,
351
- output: zodToJsonSchema(params.output),
352
- experimental_output: zodToJsonSchema(params.experimental_output),
353
- runtimeContext: params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0
691
+ output: params.output ? zodToJsonSchema(params.output) : void 0,
692
+ experimental_output: params.experimental_output ? zodToJsonSchema(params.experimental_output) : void 0,
693
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext),
694
+ clientTools: processClientTools(params.clientTools)
354
695
  };
696
+ const { readable, writable } = new TransformStream();
697
+ const response = await this.processStreamResponse(processedParams, writable);
698
+ const streamResponse = new Response(readable, {
699
+ status: response.status,
700
+ statusText: response.statusText,
701
+ headers: response.headers
702
+ });
703
+ streamResponse.processDataStream = async (options = {}) => {
704
+ await uiUtils.processDataStream({
705
+ stream: streamResponse.body,
706
+ ...options
707
+ });
708
+ };
709
+ return streamResponse;
710
+ }
711
+ /**
712
+ * Processes the stream response and handles tool calls
713
+ */
714
+ async processStreamResponse(processedParams, writable) {
355
715
  const response = await this.request(`/api/agents/${this.agentId}/stream`, {
356
716
  method: "POST",
357
717
  body: processedParams,
@@ -360,12 +720,95 @@ var Agent = class extends BaseResource {
360
720
  if (!response.body) {
361
721
  throw new Error("No response body");
362
722
  }
363
- response.processDataStream = async (options = {}) => {
364
- await uiUtils.processDataStream({
365
- stream: response.body,
366
- ...options
723
+ try {
724
+ let toolCalls = [];
725
+ let messages = [];
726
+ const [streamForWritable, streamForProcessing] = response.body.tee();
727
+ streamForWritable.pipeTo(writable, {
728
+ preventClose: true
729
+ }).catch((error) => {
730
+ console.error("Error piping to writable stream:", error);
367
731
  });
368
- };
732
+ this.processChatResponse({
733
+ stream: streamForProcessing,
734
+ update: ({ message }) => {
735
+ messages.push(message);
736
+ },
737
+ onFinish: async ({ finishReason, message }) => {
738
+ if (finishReason === "tool-calls") {
739
+ const toolCall = [...message?.parts ?? []].reverse().find((part) => part.type === "tool-invocation")?.toolInvocation;
740
+ if (toolCall) {
741
+ toolCalls.push(toolCall);
742
+ }
743
+ for (const toolCall2 of toolCalls) {
744
+ const clientTool = processedParams.clientTools?.[toolCall2.toolName];
745
+ if (clientTool && clientTool.execute) {
746
+ const result = await clientTool.execute(
747
+ {
748
+ context: toolCall2?.args,
749
+ runId: processedParams.runId,
750
+ resourceId: processedParams.resourceId,
751
+ threadId: processedParams.threadId,
752
+ runtimeContext: processedParams.runtimeContext
753
+ },
754
+ {
755
+ messages: response.messages,
756
+ toolCallId: toolCall2?.toolCallId
757
+ }
758
+ );
759
+ const lastMessage = JSON.parse(JSON.stringify(messages[messages.length - 1]));
760
+ const toolInvocationPart = lastMessage?.parts?.find(
761
+ (part) => part.type === "tool-invocation" && part.toolInvocation?.toolCallId === toolCall2.toolCallId
762
+ );
763
+ if (toolInvocationPart) {
764
+ toolInvocationPart.toolInvocation = {
765
+ ...toolInvocationPart.toolInvocation,
766
+ state: "result",
767
+ result
768
+ };
769
+ }
770
+ const toolInvocation = lastMessage?.toolInvocations?.find(
771
+ (toolInvocation2) => toolInvocation2.toolCallId === toolCall2.toolCallId
772
+ );
773
+ if (toolInvocation) {
774
+ toolInvocation.state = "result";
775
+ toolInvocation.result = result;
776
+ }
777
+ const writer = writable.getWriter();
778
+ try {
779
+ await writer.write(
780
+ new TextEncoder().encode(
781
+ "a:" + JSON.stringify({
782
+ toolCallId: toolCall2.toolCallId,
783
+ result
784
+ }) + "\n"
785
+ )
786
+ );
787
+ } finally {
788
+ writer.releaseLock();
789
+ }
790
+ const originalMessages = processedParams.messages;
791
+ const messageArray = Array.isArray(originalMessages) ? originalMessages : [originalMessages];
792
+ this.processStreamResponse(
793
+ {
794
+ ...processedParams,
795
+ messages: [...messageArray, ...messages, lastMessage]
796
+ },
797
+ writable
798
+ );
799
+ }
800
+ }
801
+ } else {
802
+ setTimeout(() => {
803
+ writable.close();
804
+ }, 0);
805
+ }
806
+ },
807
+ lastMessage: void 0
808
+ });
809
+ } catch (error) {
810
+ console.error("Error processing stream response:", error);
811
+ }
369
812
  return response;
370
813
  }
371
814
  /**
@@ -500,10 +943,15 @@ var MemoryThread = class extends BaseResource {
500
943
  }
501
944
  /**
502
945
  * Retrieves messages associated with the thread
946
+ * @param params - Optional parameters including limit for number of messages to retrieve
503
947
  * @returns Promise containing thread messages and UI messages
504
948
  */
505
- getMessages() {
506
- return this.request(`/api/memory/threads/${this.threadId}/messages?agentId=${this.agentId}`);
949
+ getMessages(params) {
950
+ const query = new URLSearchParams({
951
+ agentId: this.agentId,
952
+ ...params?.limit ? { limit: params.limit.toString() } : {}
953
+ });
954
+ return this.request(`/api/memory/threads/${this.threadId}/messages?${query.toString()}`);
507
955
  }
508
956
  };
509
957
 
@@ -573,24 +1021,24 @@ var Vector = class extends BaseResource {
573
1021
  }
574
1022
  };
575
1023
 
576
- // src/resources/workflow.ts
1024
+ // src/resources/legacy-workflow.ts
577
1025
  var RECORD_SEPARATOR = "";
578
- var Workflow = class extends BaseResource {
1026
+ var LegacyWorkflow = class extends BaseResource {
579
1027
  constructor(options, workflowId) {
580
1028
  super(options);
581
1029
  this.workflowId = workflowId;
582
1030
  }
583
1031
  /**
584
- * Retrieves details about the workflow
585
- * @returns Promise containing workflow details including steps and graphs
1032
+ * Retrieves details about the legacy workflow
1033
+ * @returns Promise containing legacy workflow details including steps and graphs
586
1034
  */
587
1035
  details() {
588
- return this.request(`/api/workflows/${this.workflowId}`);
1036
+ return this.request(`/api/workflows/legacy/${this.workflowId}`);
589
1037
  }
590
1038
  /**
591
- * Retrieves all runs for a workflow
1039
+ * Retrieves all runs for a legacy workflow
592
1040
  * @param params - Parameters for filtering runs
593
- * @returns Promise containing workflow runs array
1041
+ * @returns Promise containing legacy workflow runs array
594
1042
  */
595
1043
  runs(params) {
596
1044
  const searchParams = new URLSearchParams();
@@ -610,25 +1058,13 @@ var Workflow = class extends BaseResource {
610
1058
  searchParams.set("resourceId", params.resourceId);
611
1059
  }
612
1060
  if (searchParams.size) {
613
- return this.request(`/api/workflows/${this.workflowId}/runs?${searchParams}`);
1061
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs?${searchParams}`);
614
1062
  } else {
615
- return this.request(`/api/workflows/${this.workflowId}/runs`);
1063
+ return this.request(`/api/workflows/legacy/${this.workflowId}/runs`);
616
1064
  }
617
1065
  }
618
1066
  /**
619
- * @deprecated Use `startAsync` instead
620
- * Executes the workflow with the provided parameters
621
- * @param params - Parameters required for workflow execution
622
- * @returns Promise containing the workflow execution results
623
- */
624
- execute(params) {
625
- return this.request(`/api/workflows/${this.workflowId}/execute`, {
626
- method: "POST",
627
- body: params
628
- });
629
- }
630
- /**
631
- * Creates a new workflow run
1067
+ * Creates a new legacy workflow run
632
1068
  * @returns Promise containing the generated run ID
633
1069
  */
634
1070
  createRun(params) {
@@ -636,34 +1072,34 @@ var Workflow = class extends BaseResource {
636
1072
  if (!!params?.runId) {
637
1073
  searchParams.set("runId", params.runId);
638
1074
  }
639
- return this.request(`/api/workflows/${this.workflowId}/createRun?${searchParams.toString()}`, {
1075
+ return this.request(`/api/workflows/legacy/${this.workflowId}/create-run?${searchParams.toString()}`, {
640
1076
  method: "POST"
641
1077
  });
642
1078
  }
643
1079
  /**
644
- * Starts a workflow run synchronously without waiting for the workflow to complete
1080
+ * Starts a legacy workflow run synchronously without waiting for the workflow to complete
645
1081
  * @param params - Object containing the runId and triggerData
646
1082
  * @returns Promise containing success message
647
1083
  */
648
1084
  start(params) {
649
- return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
1085
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start?runId=${params.runId}`, {
650
1086
  method: "POST",
651
1087
  body: params?.triggerData
652
1088
  });
653
1089
  }
654
1090
  /**
655
- * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
1091
+ * Resumes a suspended legacy workflow step synchronously without waiting for the workflow to complete
656
1092
  * @param stepId - ID of the step to resume
657
- * @param runId - ID of the workflow run
658
- * @param context - Context to resume the workflow with
659
- * @returns Promise containing the workflow resume results
1093
+ * @param runId - ID of the legacy workflow run
1094
+ * @param context - Context to resume the legacy workflow with
1095
+ * @returns Promise containing the legacy workflow resume results
660
1096
  */
661
1097
  resume({
662
1098
  stepId,
663
1099
  runId,
664
1100
  context
665
1101
  }) {
666
- return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
1102
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume?runId=${runId}`, {
667
1103
  method: "POST",
668
1104
  body: {
669
1105
  stepId,
@@ -681,18 +1117,18 @@ var Workflow = class extends BaseResource {
681
1117
  if (!!params?.runId) {
682
1118
  searchParams.set("runId", params.runId);
683
1119
  }
684
- return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
1120
+ return this.request(`/api/workflows/legacy/${this.workflowId}/start-async?${searchParams.toString()}`, {
685
1121
  method: "POST",
686
1122
  body: params?.triggerData
687
1123
  });
688
1124
  }
689
1125
  /**
690
- * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
1126
+ * Resumes a suspended legacy workflow step asynchronously and returns a promise that resolves when the workflow is complete
691
1127
  * @param params - Object containing the runId, stepId, and context
692
1128
  * @returns Promise containing the workflow resume results
693
1129
  */
694
1130
  resumeAsync(params) {
695
- return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
1131
+ return this.request(`/api/workflows/legacy/${this.workflowId}/resume-async?runId=${params.runId}`, {
696
1132
  method: "POST",
697
1133
  body: {
698
1134
  stepId: params.stepId,
@@ -746,16 +1182,16 @@ var Workflow = class extends BaseResource {
746
1182
  }
747
1183
  }
748
1184
  /**
749
- * Watches workflow transitions in real-time
1185
+ * Watches legacy workflow transitions in real-time
750
1186
  * @param runId - Optional run ID to filter the watch stream
751
- * @returns AsyncGenerator that yields parsed records from the workflow watch stream
1187
+ * @returns AsyncGenerator that yields parsed records from the legacy workflow watch stream
752
1188
  */
753
1189
  async watch({ runId }, onRecord) {
754
- const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
1190
+ const response = await this.request(`/api/workflows/legacy/${this.workflowId}/watch?runId=${runId}`, {
755
1191
  stream: true
756
1192
  });
757
1193
  if (!response.ok) {
758
- throw new Error(`Failed to watch workflow: ${response.statusText}`);
1194
+ throw new Error(`Failed to watch legacy workflow: ${response.statusText}`);
759
1195
  }
760
1196
  if (!response.body) {
761
1197
  throw new Error("Response body is null");
@@ -767,7 +1203,7 @@ var Workflow = class extends BaseResource {
767
1203
  };
768
1204
 
769
1205
  // src/resources/tool.ts
770
- var Tool = class extends BaseResource {
1206
+ var Tool2 = class extends BaseResource {
771
1207
  constructor(options, toolId) {
772
1208
  super(options);
773
1209
  this.toolId = toolId;
@@ -791,7 +1227,7 @@ var Tool = class extends BaseResource {
791
1227
  }
792
1228
  const body = {
793
1229
  data: params.data,
794
- runtimeContext: params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0
1230
+ runtimeContext: parseClientRuntimeContext(params.runtimeContext)
795
1231
  };
796
1232
  return this.request(`/api/tools/${this.toolId}/execute?${url.toString()}`, {
797
1233
  method: "POST",
@@ -799,14 +1235,16 @@ var Tool = class extends BaseResource {
799
1235
  });
800
1236
  }
801
1237
  };
1238
+
1239
+ // src/resources/workflow.ts
802
1240
  var RECORD_SEPARATOR2 = "";
803
- var VNextWorkflow = class extends BaseResource {
1241
+ var Workflow = class extends BaseResource {
804
1242
  constructor(options, workflowId) {
805
1243
  super(options);
806
1244
  this.workflowId = workflowId;
807
1245
  }
808
1246
  /**
809
- * Creates an async generator that processes a readable stream and yields vNext workflow records
1247
+ * Creates an async generator that processes a readable stream and yields workflow records
810
1248
  * separated by the Record Separator character (\x1E)
811
1249
  *
812
1250
  * @param stream - The readable stream to process
@@ -851,16 +1289,16 @@ var VNextWorkflow = class extends BaseResource {
851
1289
  }
852
1290
  }
853
1291
  /**
854
- * Retrieves details about the vNext workflow
855
- * @returns Promise containing vNext workflow details including steps and graphs
1292
+ * Retrieves details about the workflow
1293
+ * @returns Promise containing workflow details including steps and graphs
856
1294
  */
857
1295
  details() {
858
- return this.request(`/api/workflows/v-next/${this.workflowId}`);
1296
+ return this.request(`/api/workflows/${this.workflowId}`);
859
1297
  }
860
1298
  /**
861
- * Retrieves all runs for a vNext workflow
1299
+ * Retrieves all runs for a workflow
862
1300
  * @param params - Parameters for filtering runs
863
- * @returns Promise containing vNext workflow runs array
1301
+ * @returns Promise containing workflow runs array
864
1302
  */
865
1303
  runs(params) {
866
1304
  const searchParams = new URLSearchParams();
@@ -870,23 +1308,60 @@ var VNextWorkflow = class extends BaseResource {
870
1308
  if (params?.toDate) {
871
1309
  searchParams.set("toDate", params.toDate.toISOString());
872
1310
  }
873
- if (params?.limit) {
1311
+ if (params?.limit !== null && params?.limit !== void 0 && !isNaN(Number(params?.limit))) {
874
1312
  searchParams.set("limit", String(params.limit));
875
1313
  }
876
- if (params?.offset) {
1314
+ if (params?.offset !== null && params?.offset !== void 0 && !isNaN(Number(params?.offset))) {
877
1315
  searchParams.set("offset", String(params.offset));
878
1316
  }
879
1317
  if (params?.resourceId) {
880
1318
  searchParams.set("resourceId", params.resourceId);
881
1319
  }
882
1320
  if (searchParams.size) {
883
- return this.request(`/api/workflows/v-next/${this.workflowId}/runs?${searchParams}`);
1321
+ return this.request(`/api/workflows/${this.workflowId}/runs?${searchParams}`);
884
1322
  } else {
885
- return this.request(`/api/workflows/v-next/${this.workflowId}/runs`);
1323
+ return this.request(`/api/workflows/${this.workflowId}/runs`);
886
1324
  }
887
1325
  }
888
1326
  /**
889
- * Creates a new vNext workflow run
1327
+ * Retrieves a specific workflow run by its ID
1328
+ * @param runId - The ID of the workflow run to retrieve
1329
+ * @returns Promise containing the workflow run details
1330
+ */
1331
+ runById(runId) {
1332
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}`);
1333
+ }
1334
+ /**
1335
+ * Retrieves the execution result for a specific workflow run by its ID
1336
+ * @param runId - The ID of the workflow run to retrieve the execution result for
1337
+ * @returns Promise containing the workflow run execution result
1338
+ */
1339
+ runExecutionResult(runId) {
1340
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/execution-result`);
1341
+ }
1342
+ /**
1343
+ * Cancels a specific workflow run by its ID
1344
+ * @param runId - The ID of the workflow run to cancel
1345
+ * @returns Promise containing a success message
1346
+ */
1347
+ cancelRun(runId) {
1348
+ return this.request(`/api/workflows/${this.workflowId}/runs/${runId}/cancel`, {
1349
+ method: "POST"
1350
+ });
1351
+ }
1352
+ /**
1353
+ * Sends an event to a specific workflow run by its ID
1354
+ * @param params - Object containing the runId, event and data
1355
+ * @returns Promise containing a success message
1356
+ */
1357
+ sendRunEvent(params) {
1358
+ return this.request(`/api/workflows/${this.workflowId}/runs/${params.runId}/send-event`, {
1359
+ method: "POST",
1360
+ body: { event: params.event, data: params.data }
1361
+ });
1362
+ }
1363
+ /**
1364
+ * Creates a new workflow run
890
1365
  * @param params - Optional object containing the optional runId
891
1366
  * @returns Promise containing the runId of the created run
892
1367
  */
@@ -895,24 +1370,24 @@ var VNextWorkflow = class extends BaseResource {
895
1370
  if (!!params?.runId) {
896
1371
  searchParams.set("runId", params.runId);
897
1372
  }
898
- return this.request(`/api/workflows/v-next/${this.workflowId}/create-run?${searchParams.toString()}`, {
1373
+ return this.request(`/api/workflows/${this.workflowId}/create-run?${searchParams.toString()}`, {
899
1374
  method: "POST"
900
1375
  });
901
1376
  }
902
1377
  /**
903
- * Starts a vNext workflow run synchronously without waiting for the workflow to complete
1378
+ * Starts a workflow run synchronously without waiting for the workflow to complete
904
1379
  * @param params - Object containing the runId, inputData and runtimeContext
905
1380
  * @returns Promise containing success message
906
1381
  */
907
1382
  start(params) {
908
- const runtimeContext = params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0;
909
- return this.request(`/api/workflows/v-next/${this.workflowId}/start?runId=${params.runId}`, {
1383
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1384
+ return this.request(`/api/workflows/${this.workflowId}/start?runId=${params.runId}`, {
910
1385
  method: "POST",
911
1386
  body: { inputData: params?.inputData, runtimeContext }
912
1387
  });
913
1388
  }
914
1389
  /**
915
- * Resumes a suspended vNext workflow step synchronously without waiting for the vNext workflow to complete
1390
+ * Resumes a suspended workflow step synchronously without waiting for the workflow to complete
916
1391
  * @param params - Object containing the runId, step, resumeData and runtimeContext
917
1392
  * @returns Promise containing success message
918
1393
  */
@@ -922,8 +1397,8 @@ var VNextWorkflow = class extends BaseResource {
922
1397
  resumeData,
923
1398
  ...rest
924
1399
  }) {
925
- const runtimeContext = rest.runtimeContext ? Object.fromEntries(rest.runtimeContext.entries()) : void 0;
926
- return this.request(`/api/workflows/v-next/${this.workflowId}/resume?runId=${runId}`, {
1400
+ const runtimeContext = parseClientRuntimeContext(rest.runtimeContext);
1401
+ return this.request(`/api/workflows/${this.workflowId}/resume?runId=${runId}`, {
927
1402
  method: "POST",
928
1403
  stream: true,
929
1404
  body: {
@@ -934,29 +1409,76 @@ var VNextWorkflow = class extends BaseResource {
934
1409
  });
935
1410
  }
936
1411
  /**
937
- * Starts a vNext workflow run asynchronously and returns a promise that resolves when the vNext workflow is complete
1412
+ * Starts a workflow run asynchronously and returns a promise that resolves when the workflow is complete
938
1413
  * @param params - Object containing the optional runId, inputData and runtimeContext
939
- * @returns Promise containing the vNext workflow execution results
1414
+ * @returns Promise containing the workflow execution results
940
1415
  */
941
1416
  startAsync(params) {
942
1417
  const searchParams = new URLSearchParams();
943
1418
  if (!!params?.runId) {
944
1419
  searchParams.set("runId", params.runId);
945
1420
  }
946
- const runtimeContext = params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0;
947
- return this.request(`/api/workflows/v-next/${this.workflowId}/start-async?${searchParams.toString()}`, {
1421
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1422
+ return this.request(`/api/workflows/${this.workflowId}/start-async?${searchParams.toString()}`, {
948
1423
  method: "POST",
949
1424
  body: { inputData: params.inputData, runtimeContext }
950
1425
  });
951
1426
  }
952
1427
  /**
953
- * Resumes a suspended vNext workflow step asynchronously and returns a promise that resolves when the vNext workflow is complete
1428
+ * Starts a workflow run and returns a stream
1429
+ * @param params - Object containing the optional runId, inputData and runtimeContext
1430
+ * @returns Promise containing the workflow execution results
1431
+ */
1432
+ async stream(params) {
1433
+ const searchParams = new URLSearchParams();
1434
+ if (!!params?.runId) {
1435
+ searchParams.set("runId", params.runId);
1436
+ }
1437
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1438
+ const response = await this.request(
1439
+ `/api/workflows/${this.workflowId}/stream?${searchParams.toString()}`,
1440
+ {
1441
+ method: "POST",
1442
+ body: { inputData: params.inputData, runtimeContext },
1443
+ stream: true
1444
+ }
1445
+ );
1446
+ if (!response.ok) {
1447
+ throw new Error(`Failed to stream vNext workflow: ${response.statusText}`);
1448
+ }
1449
+ if (!response.body) {
1450
+ throw new Error("Response body is null");
1451
+ }
1452
+ const transformStream = new TransformStream({
1453
+ start() {
1454
+ },
1455
+ async transform(chunk, controller) {
1456
+ try {
1457
+ const decoded = new TextDecoder().decode(chunk);
1458
+ const chunks = decoded.split(RECORD_SEPARATOR2);
1459
+ for (const chunk2 of chunks) {
1460
+ if (chunk2) {
1461
+ try {
1462
+ const parsedChunk = JSON.parse(chunk2);
1463
+ controller.enqueue(parsedChunk);
1464
+ } catch {
1465
+ }
1466
+ }
1467
+ }
1468
+ } catch {
1469
+ }
1470
+ }
1471
+ });
1472
+ return response.body.pipeThrough(transformStream);
1473
+ }
1474
+ /**
1475
+ * Resumes a suspended workflow step asynchronously and returns a promise that resolves when the workflow is complete
954
1476
  * @param params - Object containing the runId, step, resumeData and runtimeContext
955
- * @returns Promise containing the vNext workflow resume results
1477
+ * @returns Promise containing the workflow resume results
956
1478
  */
957
1479
  resumeAsync(params) {
958
- const runtimeContext = params.runtimeContext ? Object.fromEntries(params.runtimeContext.entries()) : void 0;
959
- return this.request(`/api/workflows/v-next/${this.workflowId}/resume-async?runId=${params.runId}`, {
1480
+ const runtimeContext = parseClientRuntimeContext(params.runtimeContext);
1481
+ return this.request(`/api/workflows/${this.workflowId}/resume-async?runId=${params.runId}`, {
960
1482
  method: "POST",
961
1483
  body: {
962
1484
  step: params.step,
@@ -966,24 +1488,51 @@ var VNextWorkflow = class extends BaseResource {
966
1488
  });
967
1489
  }
968
1490
  /**
969
- * Watches vNext workflow transitions in real-time
1491
+ * Watches workflow transitions in real-time
970
1492
  * @param runId - Optional run ID to filter the watch stream
971
- * @returns AsyncGenerator that yields parsed records from the vNext workflow watch stream
1493
+ * @returns AsyncGenerator that yields parsed records from the workflow watch stream
972
1494
  */
973
1495
  async watch({ runId }, onRecord) {
974
- const response = await this.request(`/api/workflows/v-next/${this.workflowId}/watch?runId=${runId}`, {
1496
+ const response = await this.request(`/api/workflows/${this.workflowId}/watch?runId=${runId}`, {
975
1497
  stream: true
976
1498
  });
977
1499
  if (!response.ok) {
978
- throw new Error(`Failed to watch vNext workflow: ${response.statusText}`);
1500
+ throw new Error(`Failed to watch workflow: ${response.statusText}`);
979
1501
  }
980
1502
  if (!response.body) {
981
1503
  throw new Error("Response body is null");
982
1504
  }
983
1505
  for await (const record of this.streamProcessor(response.body)) {
984
- onRecord(record);
1506
+ if (typeof record === "string") {
1507
+ onRecord(JSON.parse(record));
1508
+ } else {
1509
+ onRecord(record);
1510
+ }
985
1511
  }
986
1512
  }
1513
+ /**
1514
+ * Creates a new ReadableStream from an iterable or async iterable of objects,
1515
+ * serializing each as JSON and separating them with the record separator (\x1E).
1516
+ *
1517
+ * @param records - An iterable or async iterable of objects to stream
1518
+ * @returns A ReadableStream emitting the records as JSON strings separated by the record separator
1519
+ */
1520
+ static createRecordStream(records) {
1521
+ const encoder = new TextEncoder();
1522
+ return new ReadableStream({
1523
+ async start(controller) {
1524
+ try {
1525
+ for await (const record of records) {
1526
+ const json = JSON.stringify(record) + RECORD_SEPARATOR2;
1527
+ controller.enqueue(encoder.encode(json));
1528
+ }
1529
+ controller.close();
1530
+ } catch (err) {
1531
+ controller.error(err);
1532
+ }
1533
+ }
1534
+ });
1535
+ }
987
1536
  };
988
1537
 
989
1538
  // src/resources/a2a.ts
@@ -1060,6 +1609,214 @@ var A2A = class extends BaseResource {
1060
1609
  }
1061
1610
  };
1062
1611
 
1612
+ // src/resources/mcp-tool.ts
1613
+ var MCPTool = class extends BaseResource {
1614
+ serverId;
1615
+ toolId;
1616
+ constructor(options, serverId, toolId) {
1617
+ super(options);
1618
+ this.serverId = serverId;
1619
+ this.toolId = toolId;
1620
+ }
1621
+ /**
1622
+ * Retrieves details about this specific tool from the MCP server.
1623
+ * @returns Promise containing the tool's information (name, description, schema).
1624
+ */
1625
+ details() {
1626
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}`);
1627
+ }
1628
+ /**
1629
+ * Executes this specific tool on the MCP server.
1630
+ * @param params - Parameters for tool execution, including data/args and optional runtimeContext.
1631
+ * @returns Promise containing the result of the tool execution.
1632
+ */
1633
+ execute(params) {
1634
+ const body = {};
1635
+ if (params.data !== void 0) body.data = params.data;
1636
+ if (params.runtimeContext !== void 0) {
1637
+ body.runtimeContext = params.runtimeContext;
1638
+ }
1639
+ return this.request(`/api/mcp/${this.serverId}/tools/${this.toolId}/execute`, {
1640
+ method: "POST",
1641
+ body: Object.keys(body).length > 0 ? body : void 0
1642
+ });
1643
+ }
1644
+ };
1645
+
1646
+ // src/resources/vNextNetwork.ts
1647
+ var RECORD_SEPARATOR3 = "";
1648
+ var VNextNetwork = class extends BaseResource {
1649
+ constructor(options, networkId) {
1650
+ super(options);
1651
+ this.networkId = networkId;
1652
+ }
1653
+ /**
1654
+ * Retrieves details about the network
1655
+ * @returns Promise containing vNext network details
1656
+ */
1657
+ details() {
1658
+ return this.request(`/api/networks/v-next/${this.networkId}`);
1659
+ }
1660
+ /**
1661
+ * Generates a response from the v-next network
1662
+ * @param params - Generation parameters including message
1663
+ * @returns Promise containing the generated response
1664
+ */
1665
+ generate(params) {
1666
+ return this.request(`/api/networks/v-next/${this.networkId}/generate`, {
1667
+ method: "POST",
1668
+ body: params
1669
+ });
1670
+ }
1671
+ /**
1672
+ * Generates a response from the v-next network using multiple primitives
1673
+ * @param params - Generation parameters including message
1674
+ * @returns Promise containing the generated response
1675
+ */
1676
+ loop(params) {
1677
+ return this.request(`/api/networks/v-next/${this.networkId}/loop`, {
1678
+ method: "POST",
1679
+ body: params
1680
+ });
1681
+ }
1682
+ async *streamProcessor(stream) {
1683
+ const reader = stream.getReader();
1684
+ let doneReading = false;
1685
+ let buffer = "";
1686
+ try {
1687
+ while (!doneReading) {
1688
+ const { done, value } = await reader.read();
1689
+ doneReading = done;
1690
+ if (done && !value) continue;
1691
+ try {
1692
+ const decoded = value ? new TextDecoder().decode(value) : "";
1693
+ const chunks = (buffer + decoded).split(RECORD_SEPARATOR3);
1694
+ buffer = chunks.pop() || "";
1695
+ for (const chunk of chunks) {
1696
+ if (chunk) {
1697
+ if (typeof chunk === "string") {
1698
+ try {
1699
+ const parsedChunk = JSON.parse(chunk);
1700
+ yield parsedChunk;
1701
+ } catch {
1702
+ }
1703
+ }
1704
+ }
1705
+ }
1706
+ } catch {
1707
+ }
1708
+ }
1709
+ if (buffer) {
1710
+ try {
1711
+ yield JSON.parse(buffer);
1712
+ } catch {
1713
+ }
1714
+ }
1715
+ } finally {
1716
+ reader.cancel().catch(() => {
1717
+ });
1718
+ }
1719
+ }
1720
+ /**
1721
+ * Streams a response from the v-next network
1722
+ * @param params - Stream parameters including message
1723
+ * @returns Promise containing the results
1724
+ */
1725
+ async stream(params, onRecord) {
1726
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/stream`, {
1727
+ method: "POST",
1728
+ body: params,
1729
+ stream: true
1730
+ });
1731
+ if (!response.ok) {
1732
+ throw new Error(`Failed to stream vNext network: ${response.statusText}`);
1733
+ }
1734
+ if (!response.body) {
1735
+ throw new Error("Response body is null");
1736
+ }
1737
+ for await (const record of this.streamProcessor(response.body)) {
1738
+ if (typeof record === "string") {
1739
+ onRecord(JSON.parse(record));
1740
+ } else {
1741
+ onRecord(record);
1742
+ }
1743
+ }
1744
+ }
1745
+ /**
1746
+ * Streams a response from the v-next network loop
1747
+ * @param params - Stream parameters including message
1748
+ * @returns Promise containing the results
1749
+ */
1750
+ async loopStream(params, onRecord) {
1751
+ const response = await this.request(`/api/networks/v-next/${this.networkId}/loop-stream`, {
1752
+ method: "POST",
1753
+ body: params,
1754
+ stream: true
1755
+ });
1756
+ if (!response.ok) {
1757
+ throw new Error(`Failed to stream vNext network loop: ${response.statusText}`);
1758
+ }
1759
+ if (!response.body) {
1760
+ throw new Error("Response body is null");
1761
+ }
1762
+ for await (const record of this.streamProcessor(response.body)) {
1763
+ if (typeof record === "string") {
1764
+ onRecord(JSON.parse(record));
1765
+ } else {
1766
+ onRecord(record);
1767
+ }
1768
+ }
1769
+ }
1770
+ };
1771
+
1772
+ // src/resources/network-memory-thread.ts
1773
+ var NetworkMemoryThread = class extends BaseResource {
1774
+ constructor(options, threadId, networkId) {
1775
+ super(options);
1776
+ this.threadId = threadId;
1777
+ this.networkId = networkId;
1778
+ }
1779
+ /**
1780
+ * Retrieves the memory thread details
1781
+ * @returns Promise containing thread details including title and metadata
1782
+ */
1783
+ get() {
1784
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`);
1785
+ }
1786
+ /**
1787
+ * Updates the memory thread properties
1788
+ * @param params - Update parameters including title and metadata
1789
+ * @returns Promise containing updated thread details
1790
+ */
1791
+ update(params) {
1792
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
1793
+ method: "PATCH",
1794
+ body: params
1795
+ });
1796
+ }
1797
+ /**
1798
+ * Deletes the memory thread
1799
+ * @returns Promise containing deletion result
1800
+ */
1801
+ delete() {
1802
+ return this.request(`/api/memory/network/threads/${this.threadId}?networkId=${this.networkId}`, {
1803
+ method: "DELETE"
1804
+ });
1805
+ }
1806
+ /**
1807
+ * Retrieves messages associated with the thread
1808
+ * @param params - Optional parameters including limit for number of messages to retrieve
1809
+ * @returns Promise containing thread messages and UI messages
1810
+ */
1811
+ getMessages(params) {
1812
+ const query = new URLSearchParams({
1813
+ networkId: this.networkId,
1814
+ ...params?.limit ? { limit: params.limit.toString() } : {}
1815
+ });
1816
+ return this.request(`/api/memory/network/threads/${this.threadId}/messages?${query.toString()}`);
1817
+ }
1818
+ };
1819
+
1063
1820
  // src/client.ts
1064
1821
  var MastraClient = class extends BaseResource {
1065
1822
  constructor(options) {
@@ -1137,6 +1894,48 @@ var MastraClient = class extends BaseResource {
1137
1894
  getMemoryStatus(agentId) {
1138
1895
  return this.request(`/api/memory/status?agentId=${agentId}`);
1139
1896
  }
1897
+ /**
1898
+ * Retrieves memory threads for a resource
1899
+ * @param params - Parameters containing the resource ID
1900
+ * @returns Promise containing array of memory threads
1901
+ */
1902
+ getNetworkMemoryThreads(params) {
1903
+ return this.request(`/api/memory/network/threads?resourceid=${params.resourceId}&networkId=${params.networkId}`);
1904
+ }
1905
+ /**
1906
+ * Creates a new memory thread
1907
+ * @param params - Parameters for creating the memory thread
1908
+ * @returns Promise containing the created memory thread
1909
+ */
1910
+ createNetworkMemoryThread(params) {
1911
+ return this.request(`/api/memory/network/threads?networkId=${params.networkId}`, { method: "POST", body: params });
1912
+ }
1913
+ /**
1914
+ * Gets a memory thread instance by ID
1915
+ * @param threadId - ID of the memory thread to retrieve
1916
+ * @returns MemoryThread instance
1917
+ */
1918
+ getNetworkMemoryThread(threadId, networkId) {
1919
+ return new NetworkMemoryThread(this.options, threadId, networkId);
1920
+ }
1921
+ /**
1922
+ * Saves messages to memory
1923
+ * @param params - Parameters containing messages to save
1924
+ * @returns Promise containing the saved messages
1925
+ */
1926
+ saveNetworkMessageToMemory(params) {
1927
+ return this.request(`/api/memory/network/save-messages?networkId=${params.networkId}`, {
1928
+ method: "POST",
1929
+ body: params
1930
+ });
1931
+ }
1932
+ /**
1933
+ * Gets the status of the memory system
1934
+ * @returns Promise containing memory system status
1935
+ */
1936
+ getNetworkMemoryStatus(networkId) {
1937
+ return this.request(`/api/memory/network/status?networkId=${networkId}`);
1938
+ }
1140
1939
  /**
1141
1940
  * Retrieves all available tools
1142
1941
  * @returns Promise containing map of tool IDs to tool details
@@ -1150,7 +1949,22 @@ var MastraClient = class extends BaseResource {
1150
1949
  * @returns Tool instance
1151
1950
  */
1152
1951
  getTool(toolId) {
1153
- return new Tool(this.options, toolId);
1952
+ return new Tool2(this.options, toolId);
1953
+ }
1954
+ /**
1955
+ * Retrieves all available legacy workflows
1956
+ * @returns Promise containing map of legacy workflow IDs to legacy workflow details
1957
+ */
1958
+ getLegacyWorkflows() {
1959
+ return this.request("/api/workflows/legacy");
1960
+ }
1961
+ /**
1962
+ * Gets a legacy workflow instance by ID
1963
+ * @param workflowId - ID of the legacy workflow to retrieve
1964
+ * @returns Legacy Workflow instance
1965
+ */
1966
+ getLegacyWorkflow(workflowId) {
1967
+ return new LegacyWorkflow(this.options, workflowId);
1154
1968
  }
1155
1969
  /**
1156
1970
  * Retrieves all available workflows
@@ -1167,21 +1981,6 @@ var MastraClient = class extends BaseResource {
1167
1981
  getWorkflow(workflowId) {
1168
1982
  return new Workflow(this.options, workflowId);
1169
1983
  }
1170
- /**
1171
- * Retrieves all available vNext workflows
1172
- * @returns Promise containing map of vNext workflow IDs to vNext workflow details
1173
- */
1174
- getVNextWorkflows() {
1175
- return this.request("/api/workflows/v-next");
1176
- }
1177
- /**
1178
- * Gets a vNext workflow instance by ID
1179
- * @param workflowId - ID of the vNext workflow to retrieve
1180
- * @returns vNext Workflow instance
1181
- */
1182
- getVNextWorkflow(workflowId) {
1183
- return new VNextWorkflow(this.options, workflowId);
1184
- }
1185
1984
  /**
1186
1985
  * Gets a vector instance by name
1187
1986
  * @param vectorName - Name of the vector to retrieve
@@ -1196,7 +1995,41 @@ var MastraClient = class extends BaseResource {
1196
1995
  * @returns Promise containing array of log messages
1197
1996
  */
1198
1997
  getLogs(params) {
1199
- return this.request(`/api/logs?transportId=${params.transportId}`);
1998
+ const { transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
1999
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
2000
+ const searchParams = new URLSearchParams();
2001
+ if (transportId) {
2002
+ searchParams.set("transportId", transportId);
2003
+ }
2004
+ if (fromDate) {
2005
+ searchParams.set("fromDate", fromDate.toISOString());
2006
+ }
2007
+ if (toDate) {
2008
+ searchParams.set("toDate", toDate.toISOString());
2009
+ }
2010
+ if (logLevel) {
2011
+ searchParams.set("logLevel", logLevel);
2012
+ }
2013
+ if (page) {
2014
+ searchParams.set("page", String(page));
2015
+ }
2016
+ if (perPage) {
2017
+ searchParams.set("perPage", String(perPage));
2018
+ }
2019
+ if (_filters) {
2020
+ if (Array.isArray(_filters)) {
2021
+ for (const filter of _filters) {
2022
+ searchParams.append("filters", filter);
2023
+ }
2024
+ } else {
2025
+ searchParams.set("filters", _filters);
2026
+ }
2027
+ }
2028
+ if (searchParams.size) {
2029
+ return this.request(`/api/logs?${searchParams}`);
2030
+ } else {
2031
+ return this.request(`/api/logs`);
2032
+ }
1200
2033
  }
1201
2034
  /**
1202
2035
  * Gets logs for a specific run
@@ -1204,7 +2037,44 @@ var MastraClient = class extends BaseResource {
1204
2037
  * @returns Promise containing array of log messages
1205
2038
  */
1206
2039
  getLogForRun(params) {
1207
- return this.request(`/api/logs/${params.runId}?transportId=${params.transportId}`);
2040
+ const { runId, transportId, fromDate, toDate, logLevel, filters, page, perPage } = params;
2041
+ const _filters = filters ? Object.entries(filters).map(([key, value]) => `${key}:${value}`) : [];
2042
+ const searchParams = new URLSearchParams();
2043
+ if (runId) {
2044
+ searchParams.set("runId", runId);
2045
+ }
2046
+ if (transportId) {
2047
+ searchParams.set("transportId", transportId);
2048
+ }
2049
+ if (fromDate) {
2050
+ searchParams.set("fromDate", fromDate.toISOString());
2051
+ }
2052
+ if (toDate) {
2053
+ searchParams.set("toDate", toDate.toISOString());
2054
+ }
2055
+ if (logLevel) {
2056
+ searchParams.set("logLevel", logLevel);
2057
+ }
2058
+ if (page) {
2059
+ searchParams.set("page", String(page));
2060
+ }
2061
+ if (perPage) {
2062
+ searchParams.set("perPage", String(perPage));
2063
+ }
2064
+ if (_filters) {
2065
+ if (Array.isArray(_filters)) {
2066
+ for (const filter of _filters) {
2067
+ searchParams.append("filters", filter);
2068
+ }
2069
+ } else {
2070
+ searchParams.set("filters", _filters);
2071
+ }
2072
+ }
2073
+ if (searchParams.size) {
2074
+ return this.request(`/api/logs/${runId}?${searchParams}`);
2075
+ } else {
2076
+ return this.request(`/api/logs/${runId}`);
2077
+ }
1208
2078
  }
1209
2079
  /**
1210
2080
  * List of all log transports
@@ -1262,6 +2132,13 @@ var MastraClient = class extends BaseResource {
1262
2132
  getNetworks() {
1263
2133
  return this.request("/api/networks");
1264
2134
  }
2135
+ /**
2136
+ * Retrieves all available vNext networks
2137
+ * @returns Promise containing map of vNext network IDs to vNext network details
2138
+ */
2139
+ getVNextNetworks() {
2140
+ return this.request("/api/networks/v-next");
2141
+ }
1265
2142
  /**
1266
2143
  * Gets a network instance by ID
1267
2144
  * @param networkId - ID of the network to retrieve
@@ -1270,6 +2147,62 @@ var MastraClient = class extends BaseResource {
1270
2147
  getNetwork(networkId) {
1271
2148
  return new Network(this.options, networkId);
1272
2149
  }
2150
+ /**
2151
+ * Gets a vNext network instance by ID
2152
+ * @param networkId - ID of the vNext network to retrieve
2153
+ * @returns vNext Network instance
2154
+ */
2155
+ getVNextNetwork(networkId) {
2156
+ return new VNextNetwork(this.options, networkId);
2157
+ }
2158
+ /**
2159
+ * Retrieves a list of available MCP servers.
2160
+ * @param params - Optional parameters for pagination (limit, offset).
2161
+ * @returns Promise containing the list of MCP servers and pagination info.
2162
+ */
2163
+ getMcpServers(params) {
2164
+ const searchParams = new URLSearchParams();
2165
+ if (params?.limit !== void 0) {
2166
+ searchParams.set("limit", String(params.limit));
2167
+ }
2168
+ if (params?.offset !== void 0) {
2169
+ searchParams.set("offset", String(params.offset));
2170
+ }
2171
+ const queryString = searchParams.toString();
2172
+ return this.request(`/api/mcp/v0/servers${queryString ? `?${queryString}` : ""}`);
2173
+ }
2174
+ /**
2175
+ * Retrieves detailed information for a specific MCP server.
2176
+ * @param serverId - The ID of the MCP server to retrieve.
2177
+ * @param params - Optional parameters, e.g., specific version.
2178
+ * @returns Promise containing the detailed MCP server information.
2179
+ */
2180
+ getMcpServerDetails(serverId, params) {
2181
+ const searchParams = new URLSearchParams();
2182
+ if (params?.version) {
2183
+ searchParams.set("version", params.version);
2184
+ }
2185
+ const queryString = searchParams.toString();
2186
+ return this.request(`/api/mcp/v0/servers/${serverId}${queryString ? `?${queryString}` : ""}`);
2187
+ }
2188
+ /**
2189
+ * Retrieves a list of tools for a specific MCP server.
2190
+ * @param serverId - The ID of the MCP server.
2191
+ * @returns Promise containing the list of tools.
2192
+ */
2193
+ getMcpServerTools(serverId) {
2194
+ return this.request(`/api/mcp/${serverId}/tools`);
2195
+ }
2196
+ /**
2197
+ * Gets an MCPTool resource instance for a specific tool on an MCP server.
2198
+ * This instance can then be used to fetch details or execute the tool.
2199
+ * @param serverId - The ID of the MCP server.
2200
+ * @param toolId - The ID of the tool.
2201
+ * @returns MCPTool instance.
2202
+ */
2203
+ getMcpServerTool(serverId, toolId) {
2204
+ return new MCPTool(this.options, serverId, toolId);
2205
+ }
1273
2206
  /**
1274
2207
  * Gets an A2A client for interacting with an agent via the A2A protocol
1275
2208
  * @param agentId - ID of the agent to interact with