@mastra/ai-sdk 0.0.0-extract-tool-ui-inp-playground-ui-20251024041825 → 0.0.0-feat-add-query-option-to-playground-20251209160219

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.
@@ -0,0 +1,157 @@
1
+ import type { LanguageModelV2, LanguageModelV2Middleware } from '@ai-sdk/provider';
2
+ import type { MemoryConfig, SemanticRecall as SemanticRecallConfig } from '@mastra/core/memory';
3
+ import type { InputProcessor, OutputProcessor } from '@mastra/core/processors';
4
+ import type { MemoryStorage } from '@mastra/core/storage';
5
+ import type { MastraEmbeddingModel, MastraVector } from '@mastra/core/vector';
6
+ /**
7
+ * Memory context for processors that need thread/resource info
8
+ */
9
+ export interface ProcessorMemoryContext {
10
+ /** Thread ID for conversation persistence */
11
+ threadId?: string;
12
+ /** Resource ID (user/session identifier) */
13
+ resourceId?: string;
14
+ /** Memory configuration options */
15
+ config?: MemoryConfig;
16
+ }
17
+ /**
18
+ * Options for creating processor middleware
19
+ */
20
+ export interface ProcessorMiddlewareOptions {
21
+ /** Input processors to run before the LLM call */
22
+ inputProcessors?: InputProcessor[];
23
+ /** Output processors to run on the LLM response */
24
+ outputProcessors?: OutputProcessor[];
25
+ /** Memory context for processors that need thread/resource info */
26
+ memory?: ProcessorMemoryContext;
27
+ }
28
+ /**
29
+ * Semantic recall configuration with required vector and embedder.
30
+ * Inherits JSDoc from SemanticRecall type in memory/types.ts.
31
+ */
32
+ export type WithMastraSemanticRecallOptions = SemanticRecallConfig & {
33
+ /** Vector store for semantic search (required) */
34
+ vector: MastraVector;
35
+ /** Embedder for generating query embeddings (required) */
36
+ embedder: MastraEmbeddingModel<string>;
37
+ };
38
+ /**
39
+ * Memory configuration for withMastra
40
+ */
41
+ export interface WithMastraMemoryOptions {
42
+ /** Storage adapter for message persistence (required) */
43
+ storage: MemoryStorage;
44
+ /** Thread ID for conversation persistence (required) */
45
+ threadId: string;
46
+ /** Resource ID (user/session identifier) */
47
+ resourceId?: string;
48
+ /** Number of recent messages to retrieve, or false to disable */
49
+ lastMessages?: number | false;
50
+ /** Semantic recall configuration (RAG-based memory retrieval) */
51
+ semanticRecall?: WithMastraSemanticRecallOptions;
52
+ /** Working memory configuration (persistent user data) */
53
+ workingMemory?: MemoryConfig['workingMemory'];
54
+ /** Read-only mode - prevents saving new messages */
55
+ readOnly?: boolean;
56
+ }
57
+ /**
58
+ * Options for withMastra wrapper
59
+ */
60
+ export interface WithMastraOptions {
61
+ /** Memory configuration - enables automatic message history persistence */
62
+ memory?: WithMastraMemoryOptions;
63
+ /** Input processors to run before the LLM call */
64
+ inputProcessors?: InputProcessor[];
65
+ /** Output processors to run on the LLM response */
66
+ outputProcessors?: OutputProcessor[];
67
+ }
68
+ /**
69
+ * Wraps a language model with Mastra capabilities including memory and processors.
70
+ *
71
+ * @example
72
+ * ```typescript
73
+ * // With message history (auto-creates MessageHistory processor)
74
+ * import { openai } from '@ai-sdk/openai';
75
+ * import { withMastra } from '@mastra/ai-sdk';
76
+ * import { LibSQLStore } from '@mastra/libsql';
77
+ *
78
+ * const storage = new LibSQLStore({ url: 'file:memory.db' });
79
+ * await storage.init();
80
+ *
81
+ * const model = withMastra(openai('gpt-4o'), {
82
+ * memory: {
83
+ * storage,
84
+ * threadId: 'thread-123',
85
+ * resourceId: 'user-456',
86
+ * lastMessages: 10,
87
+ * },
88
+ * });
89
+ *
90
+ * const { text } = await generateText({ model, prompt: 'Hello' });
91
+ * ```
92
+ *
93
+ * @example
94
+ * ```typescript
95
+ * // With semantic recall (RAG-based memory)
96
+ * const model = withMastra(openai('gpt-4o'), {
97
+ * memory: {
98
+ * storage,
99
+ * threadId: 'thread-123',
100
+ * semanticRecall: {
101
+ * vector: pinecone,
102
+ * embedder: openai.embedding('text-embedding-3-small'),
103
+ * topK: 5,
104
+ * messageRange: 2, // Include 2 messages before/after each match
105
+ * },
106
+ * },
107
+ * });
108
+ * ```
109
+ *
110
+ * @example
111
+ * ```typescript
112
+ * // With working memory (persistent user data)
113
+ * const model = withMastra(openai('gpt-4o'), {
114
+ * memory: {
115
+ * storage,
116
+ * threadId: 'thread-123',
117
+ * workingMemory: {
118
+ * enabled: true,
119
+ * template: '# User Profile\n- **Name**:\n- **Preferences**:',
120
+ * },
121
+ * },
122
+ * });
123
+ * ```
124
+ *
125
+ * @example
126
+ * ```typescript
127
+ * // With custom processors
128
+ * const model = withMastra(openai('gpt-4o'), {
129
+ * inputProcessors: [myInputProcessor],
130
+ * outputProcessors: [myOutputProcessor],
131
+ * });
132
+ * ```
133
+ */
134
+ export declare function withMastra(model: LanguageModelV2, options?: WithMastraOptions): LanguageModelV2;
135
+ /**
136
+ * Creates AI SDK middleware that runs Mastra processors on input/output.
137
+ * For a simpler API, use `withMastra` instead.
138
+ *
139
+ * @example
140
+ * ```typescript
141
+ * import { wrapLanguageModel, generateText } from 'ai';
142
+ * import { openai } from '@ai-sdk/openai';
143
+ * import { createProcessorMiddleware } from '@mastra/ai-sdk';
144
+ *
145
+ * const model = wrapLanguageModel({
146
+ * model: openai('gpt-4o'),
147
+ * middleware: createProcessorMiddleware({
148
+ * inputProcessors: [myProcessor],
149
+ * outputProcessors: [myProcessor],
150
+ * }),
151
+ * });
152
+ *
153
+ * const { text } = await generateText({ model, prompt: 'Hello' });
154
+ * ```
155
+ */
156
+ export declare function createProcessorMiddleware(options: ProcessorMiddlewareOptions): LanguageModelV2Middleware;
157
+ //# sourceMappingURL=middleware.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"middleware.d.ts","sourceRoot":"","sources":["../src/middleware.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EACV,eAAe,EACf,yBAAyB,EAG1B,MAAM,kBAAkB,CAAC;AAI1B,OAAO,KAAK,EAAE,YAAY,EAAE,cAAc,IAAI,oBAAoB,EAAE,MAAM,qBAAqB,CAAC;AAEhG,OAAO,KAAK,EACV,cAAc,EACd,eAAe,EAIhB,MAAM,yBAAyB,CAAC;AACjC,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,sBAAsB,CAAC;AAG1D,OAAO,KAAK,EAAE,oBAAoB,EAAE,YAAY,EAAE,MAAM,qBAAqB,CAAC;AAG9E;;GAEG;AACH,MAAM,WAAW,sBAAsB;IACrC,6CAA6C;IAC7C,QAAQ,CAAC,EAAE,MAAM,CAAC;IAClB,4CAA4C;IAC5C,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,mCAAmC;IACnC,MAAM,CAAC,EAAE,YAAY,CAAC;CACvB;AAED;;GAEG;AACH,MAAM,WAAW,0BAA0B;IACzC,kDAAkD;IAClD,eAAe,CAAC,EAAE,cAAc,EAAE,CAAC;IACnC,mDAAmD;IACnD,gBAAgB,CAAC,EAAE,eAAe,EAAE,CAAC;IACrC,mEAAmE;IACnE,MAAM,CAAC,EAAE,sBAAsB,CAAC;CACjC;AAED;;;GAGG;AACH,MAAM,MAAM,+BAA+B,GAAG,oBAAoB,GAAG;IACnE,kDAAkD;IAClD,MAAM,EAAE,YAAY,CAAC;IACrB,0DAA0D;IAC1D,QAAQ,EAAE,oBAAoB,CAAC,MAAM,CAAC,CAAC;CACxC,CAAC;AAEF;;GAEG;AACH,MAAM,WAAW,uBAAuB;IACtC,yDAAyD;IACzD,OAAO,EAAE,aAAa,CAAC;IACvB,wDAAwD;IACxD,QAAQ,EAAE,MAAM,CAAC;IACjB,4CAA4C;IAC5C,UAAU,CAAC,EAAE,MAAM,CAAC;IACpB,iEAAiE;IACjE,YAAY,CAAC,EAAE,MAAM,GAAG,KAAK,CAAC;IAC9B,iEAAiE;IACjE,cAAc,CAAC,EAAE,+BAA+B,CAAC;IACjD,0DAA0D;IAC1D,aAAa,CAAC,EAAE,YAAY,CAAC,eAAe,CAAC,CAAC;IAC9C,oDAAoD;IACpD,QAAQ,CAAC,EAAE,OAAO,CAAC;CACpB;AAED;;GAEG;AACH,MAAM,WAAW,iBAAiB;IAChC,2EAA2E;IAC3E,MAAM,CAAC,EAAE,uBAAuB,CAAC;IACjC,kDAAkD;IAClD,eAAe,CAAC,EAAE,cAAc,EAAE,CAAC;IACnC,mDAAmD;IACnD,gBAAgB,CAAC,EAAE,eAAe,EAAE,CAAC;CACtC;AAED;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;GAiEG;AACH,wBAAgB,UAAU,CAAC,KAAK,EAAE,eAAe,EAAE,OAAO,GAAE,iBAAsB,GAAG,eAAe,CA4EnG;AAgBD;;;;;;;;;;;;;;;;;;;;GAoBG;AACH,wBAAgB,yBAAyB,CAAC,OAAO,EAAE,0BAA0B,GAAG,yBAAyB,CA4QxG"}
@@ -1,14 +1,75 @@
1
1
  import type { AgentExecutionOptions } from '@mastra/core/agent';
2
+ import type { MessageListInput } from '@mastra/core/agent/message-list';
3
+ import type { Mastra } from '@mastra/core/mastra';
2
4
  import { registerApiRoute } from '@mastra/core/server';
3
5
  import type { OutputSchema } from '@mastra/core/stream';
6
+ import type { InferUIMessageChunk, UIMessage } from 'ai';
7
+ export type NetworkStreamHandlerParams<OUTPUT extends OutputSchema = undefined> = AgentExecutionOptions<OUTPUT, 'mastra'> & {
8
+ messages: MessageListInput;
9
+ };
10
+ export type NetworkStreamHandlerOptions<OUTPUT extends OutputSchema = undefined> = {
11
+ mastra: Mastra;
12
+ agentId: string;
13
+ params: NetworkStreamHandlerParams<OUTPUT>;
14
+ defaultOptions?: AgentExecutionOptions<OUTPUT, 'mastra'>;
15
+ };
16
+ /**
17
+ * Framework-agnostic handler for streaming agent network execution in AI SDK-compatible format.
18
+ * Use this function directly when you need to handle network streaming outside of Hono or Mastra's own apiRoutes feature.
19
+ *
20
+ * @example
21
+ * ```ts
22
+ * // Next.js App Router
23
+ * import { handleNetworkStream } from '@mastra/ai-sdk';
24
+ * import { createUIMessageStreamResponse } from 'ai';
25
+ * import { mastra } from '@/src/mastra';
26
+ *
27
+ * export async function POST(req: Request) {
28
+ * const params = await req.json();
29
+ * const stream = await handleNetworkStream({
30
+ * mastra,
31
+ * agentId: 'routingAgent',
32
+ * params,
33
+ * });
34
+ * return createUIMessageStreamResponse({ stream });
35
+ * }
36
+ * ```
37
+ */
38
+ export declare function handleNetworkStream<UI_MESSAGE extends UIMessage, OUTPUT extends OutputSchema = undefined>({ mastra, agentId, params, defaultOptions, }: NetworkStreamHandlerOptions<OUTPUT>): Promise<ReadableStream<InferUIMessageChunk<UI_MESSAGE>>>;
4
39
  export type NetworkRouteOptions<OUTPUT extends OutputSchema = undefined> = {
5
40
  path: `${string}:agentId${string}`;
6
41
  agent?: never;
7
- defaultOptions?: AgentExecutionOptions<OUTPUT, 'aisdk'>;
42
+ defaultOptions?: AgentExecutionOptions<OUTPUT, 'mastra'>;
8
43
  } | {
9
44
  path: string;
10
45
  agent: string;
11
- defaultOptions?: AgentExecutionOptions<OUTPUT, 'aisdk'>;
46
+ defaultOptions?: AgentExecutionOptions<OUTPUT, 'mastra'>;
12
47
  };
48
+ /**
49
+ * Creates a network route handler for streaming agent network execution using the AI SDK-compatible format.
50
+ *
51
+ * This function registers an HTTP POST endpoint that accepts messages, executes an agent network, and streams the response back to the client in AI SDK-compatible format. Agent networks allow a routing agent to delegate tasks to other agents.
52
+ *
53
+ * @param {NetworkRouteOptions} options - Configuration options for the network route
54
+ * @param {string} [options.path='/network/:agentId'] - The route path. Include `:agentId` for dynamic routing
55
+ * @param {string} [options.agent] - Fixed agent ID when not using dynamic routing
56
+ * @param {AgentExecutionOptions} [options.defaultOptions] - Default options passed to agent execution
57
+ *
58
+ * @example
59
+ * // Dynamic agent routing
60
+ * networkRoute({
61
+ * path: '/network/:agentId',
62
+ * });
63
+ *
64
+ * @example
65
+ * // Fixed agent with custom path
66
+ * networkRoute({
67
+ * path: '/api/orchestrator',
68
+ * agent: 'router-agent',
69
+ * defaultOptions: {
70
+ * maxSteps: 10,
71
+ * },
72
+ * });
73
+ */
13
74
  export declare function networkRoute<OUTPUT extends OutputSchema = undefined>({ path, agent, defaultOptions, }: NetworkRouteOptions<OUTPUT>): ReturnType<typeof registerApiRoute>;
14
75
  //# sourceMappingURL=network-route.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"network-route.d.ts","sourceRoot":"","sources":["../src/network-route.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,qBAAqB,EAAE,MAAM,oBAAoB,CAAC;AAChE,OAAO,EAAE,gBAAgB,EAAE,MAAM,qBAAqB,CAAC;AACvD,OAAO,KAAK,EAAE,YAAY,EAAE,MAAM,qBAAqB,CAAC;AAIxD,MAAM,MAAM,mBAAmB,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,IACnE;IAAE,IAAI,EAAE,GAAG,MAAM,WAAW,MAAM,EAAE,CAAC;IAAC,KAAK,CAAC,EAAE,KAAK,CAAC;IAAC,cAAc,CAAC,EAAE,qBAAqB,CAAC,MAAM,EAAE,OAAO,CAAC,CAAA;CAAE,GAC9G;IAAE,IAAI,EAAE,MAAM,CAAC;IAAC,KAAK,EAAE,MAAM,CAAC;IAAC,cAAc,CAAC,EAAE,qBAAqB,CAAC,MAAM,EAAE,OAAO,CAAC,CAAA;CAAE,CAAC;AAE7F,wBAAgB,YAAY,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,EAAE,EACpE,IAA0B,EAC1B,KAAK,EACL,cAAc,GACf,EAAE,mBAAmB,CAAC,MAAM,CAAC,GAAG,UAAU,CAAC,OAAO,gBAAgB,CAAC,CAoGnE"}
1
+ {"version":3,"file":"network-route.d.ts","sourceRoot":"","sources":["../src/network-route.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,qBAAqB,EAAE,MAAM,oBAAoB,CAAC;AAChE,OAAO,KAAK,EAAE,gBAAgB,EAAE,MAAM,iCAAiC,CAAC;AACxE,OAAO,KAAK,EAAE,MAAM,EAAE,MAAM,qBAAqB,CAAC;AAClD,OAAO,EAAE,gBAAgB,EAAE,MAAM,qBAAqB,CAAC;AACvD,OAAO,KAAK,EAAE,YAAY,EAAE,MAAM,qBAAqB,CAAC;AAExD,OAAO,KAAK,EAAE,mBAAmB,EAAE,SAAS,EAAE,MAAM,IAAI,CAAC;AAGzD,MAAM,MAAM,0BAA0B,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,IAAI,qBAAqB,CACrG,MAAM,EACN,QAAQ,CACT,GAAG;IACF,QAAQ,EAAE,gBAAgB,CAAC;CAC5B,CAAC;AAEF,MAAM,MAAM,2BAA2B,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,IAAI;IACjF,MAAM,EAAE,MAAM,CAAC;IACf,OAAO,EAAE,MAAM,CAAC;IAChB,MAAM,EAAE,0BAA0B,CAAC,MAAM,CAAC,CAAC;IAC3C,cAAc,CAAC,EAAE,qBAAqB,CAAC,MAAM,EAAE,QAAQ,CAAC,CAAC;CAC1D,CAAC;AAEF;;;;;;;;;;;;;;;;;;;;;GAqBG;AACH,wBAAsB,mBAAmB,CAAC,UAAU,SAAS,SAAS,EAAE,MAAM,SAAS,YAAY,GAAG,SAAS,EAAE,EAC/G,MAAM,EACN,OAAO,EACP,MAAM,EACN,cAAc,GACf,EAAE,2BAA2B,CAAC,MAAM,CAAC,GAAG,OAAO,CAAC,cAAc,CAAC,mBAAmB,CAAC,UAAU,CAAC,CAAC,CAAC,CAqBhG;AAED,MAAM,MAAM,mBAAmB,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,IACnE;IAAE,IAAI,EAAE,GAAG,MAAM,WAAW,MAAM,EAAE,CAAC;IAAC,KAAK,CAAC,EAAE,KAAK,CAAC;IAAC,cAAc,CAAC,EAAE,qBAAqB,CAAC,MAAM,EAAE,QAAQ,CAAC,CAAA;CAAE,GAC/G;IAAE,IAAI,EAAE,MAAM,CAAC;IAAC,KAAK,EAAE,MAAM,CAAC;IAAC,cAAc,CAAC,EAAE,qBAAqB,CAAC,MAAM,EAAE,QAAQ,CAAC,CAAA;CAAE,CAAC;AAE9F;;;;;;;;;;;;;;;;;;;;;;;;;GAyBG;AACH,wBAAgB,YAAY,CAAC,MAAM,SAAS,YAAY,GAAG,SAAS,EAAE,EACpE,IAA0B,EAC1B,KAAK,EACL,cAAc,GACf,EAAE,mBAAmB,CAAC,MAAM,CAAC,GAAG,UAAU,CAAC,OAAO,gBAAgB,CAAC,CAwFnE"}
@@ -1,17 +1,16 @@
1
- import type { MastraModelOutput, OutputSchema, MastraAgentNetworkStream, WorkflowRunOutput } from '@mastra/core/stream';
2
- import type { MastraWorkflowStream, Step, WorkflowResult } from '@mastra/core/workflows';
3
- import type { InferUIMessageChunk, UIMessage } from 'ai';
4
- import type { ZodObject, ZodType } from 'zod';
5
- export declare function toAISdkFormat<TOutput extends ZodType<any>, TInput extends ZodType<any>, TSteps extends Step<string, any, any, any, any, any>[], TState extends ZodObject<any>>(stream: MastraWorkflowStream<TState, TInput, TOutput, TSteps>, options: {
6
- from: 'workflow';
7
- }): ReadableStream<InferUIMessageChunk<UIMessage>>;
8
- export declare function toAISdkFormat<TOutput extends ZodType<any>, TInput extends ZodType<any>, TSteps extends Step<string, any, any, any, any, any>[], TState extends ZodObject<any>>(stream: WorkflowRunOutput<WorkflowResult<TState, TInput, TOutput, TSteps>>, options: {
9
- from: 'workflow';
10
- }): ReadableStream<InferUIMessageChunk<UIMessage>>;
11
- export declare function toAISdkFormat(stream: MastraAgentNetworkStream, options: {
12
- from: 'network';
13
- }): ReadableStream<InferUIMessageChunk<UIMessage>>;
14
- export declare function toAISdkFormat<TOutput extends OutputSchema>(stream: MastraModelOutput<TOutput>, options: {
15
- from: 'agent';
16
- }): ReadableStream<InferUIMessageChunk<UIMessage>>;
1
+ /**
2
+ * @deprecated Use `toAISdkStream` instead. This function has been renamed for clarity.
3
+ *
4
+ * @example
5
+ * ```typescript
6
+ * // Old (deprecated):
7
+ * import { toAISdkFormat } from '@mastra/ai-sdk';
8
+ * const stream = toAISdkFormat(agentStream, { from: 'agent' });
9
+ *
10
+ * // New:
11
+ * import { toAISdkStream } from '@mastra/ai-sdk';
12
+ * const stream = toAISdkStream(agentStream, { from: 'agent' });
13
+ * ```
14
+ */
15
+ export declare function toAISdkFormat(): never;
17
16
  //# sourceMappingURL=to-ai-sdk-format.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"to-ai-sdk-format.d.ts","sourceRoot":"","sources":["../src/to-ai-sdk-format.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EACV,iBAAiB,EAEjB,YAAY,EACZ,wBAAwB,EACxB,iBAAiB,EAClB,MAAM,qBAAqB,CAAC;AAC7B,OAAO,KAAK,EAAE,oBAAoB,EAAE,IAAI,EAAE,cAAc,EAAE,MAAM,wBAAwB,CAAC;AACzF,OAAO,KAAK,EAAE,mBAAmB,EAAE,SAAS,EAAE,MAAM,IAAI,CAAC;AACzD,OAAO,KAAK,EAAE,SAAS,EAAE,OAAO,EAAE,MAAM,KAAK,CAAC;AAS9C,wBAAgB,aAAa,CAC3B,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EAC5B,MAAM,SAAS,OAAO,CAAC,GAAG,CAAC,EAC3B,MAAM,SAAS,IAAI,CAAC,MAAM,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,CAAC,EAAE,EACtD,MAAM,SAAS,SAAS,CAAC,GAAG,CAAC,EAE7B,MAAM,EAAE,oBAAoB,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,EAAE,MAAM,CAAC,EAC7D,OAAO,EAAE;IAAE,IAAI,EAAE,UAAU,CAAA;CAAE,GAC5B,cAAc,CAAC,mBAAmB,CAAC,SAAS,CAAC,CAAC,CAAC;AAClD,wBAAgB,aAAa,CAC3B,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EAC5B,MAAM,SAAS,OAAO,CAAC,GAAG,CAAC,EAC3B,MAAM,SAAS,IAAI,CAAC,MAAM,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,CAAC,EAAE,EACtD,MAAM,SAAS,SAAS,CAAC,GAAG,CAAC,EAE7B,MAAM,EAAE,iBAAiB,CAAC,cAAc,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,EAAE,MAAM,CAAC,CAAC,EAC1E,OAAO,EAAE;IAAE,IAAI,EAAE,UAAU,CAAA;CAAE,GAC5B,cAAc,CAAC,mBAAmB,CAAC,SAAS,CAAC,CAAC,CAAC;AAClD,wBAAgB,aAAa,CAC3B,MAAM,EAAE,wBAAwB,EAChC,OAAO,EAAE;IAAE,IAAI,EAAE,SAAS,CAAA;CAAE,GAC3B,cAAc,CAAC,mBAAmB,CAAC,SAAS,CAAC,CAAC,CAAC;AAClD,wBAAgB,aAAa,CAAC,OAAO,SAAS,YAAY,EACxD,MAAM,EAAE,iBAAiB,CAAC,OAAO,CAAC,EAClC,OAAO,EAAE;IAAE,IAAI,EAAE,OAAO,CAAA;CAAE,GACzB,cAAc,CAAC,mBAAmB,CAAC,SAAS,CAAC,CAAC,CAAC"}
1
+ {"version":3,"file":"to-ai-sdk-format.d.ts","sourceRoot":"","sources":["../src/to-ai-sdk-format.ts"],"names":[],"mappings":"AAAA;;;;;;;;;;;;;GAaG;AACH,wBAAgB,aAAa,IAAI,KAAK,CASrC"}
@@ -1,13 +1,40 @@
1
1
  import type { LLMStepResult } from '@mastra/core/agent';
2
2
  import type { ChunkType, DataChunkType, NetworkChunkType } from '@mastra/core/stream';
3
3
  import type { WorkflowRunStatus, WorkflowStepStatus } from '@mastra/core/workflows';
4
- import type { InferUIMessageChunk, UIMessage } from 'ai';
4
+ import type { InferUIMessageChunk, UIMessage, UIMessageStreamOptions } from 'ai';
5
5
  import type { ZodType } from 'zod';
6
+ import type { ToolAgentChunkType, ToolWorkflowChunkType, ToolNetworkChunkType } from './helpers.js';
7
+ type LanguageModelV2Usage = {
8
+ /**
9
+ The number of input (prompt) tokens used.
10
+ */
11
+ inputTokens: number | undefined;
12
+ /**
13
+ The number of output (completion) tokens used.
14
+ */
15
+ outputTokens: number | undefined;
16
+ /**
17
+ The total number of tokens as reported by the provider.
18
+ This number might be different from the sum of `inputTokens` and `outputTokens`
19
+ and e.g. include reasoning tokens or other overhead.
20
+ */
21
+ totalTokens: number | undefined;
22
+ /**
23
+ The number of reasoning tokens used.
24
+ */
25
+ reasoningTokens?: number | undefined;
26
+ /**
27
+ The number of cached input tokens.
28
+ */
29
+ cachedInputTokens?: number | undefined;
30
+ };
6
31
  type StepResult = {
7
32
  name: string;
8
33
  status: WorkflowStepStatus;
9
34
  input: Record<string, unknown> | null;
10
35
  output: unknown | null;
36
+ suspendPayload: Record<string, unknown> | null;
37
+ resumePayload: Record<string, unknown> | null;
11
38
  };
12
39
  export type WorkflowDataPart = {
13
40
  type: 'data-workflow' | 'data-tool-workflow';
@@ -32,6 +59,7 @@ export type NetworkDataPart = {
32
59
  name: string;
33
60
  status: 'running' | 'finished';
34
61
  steps: StepResult[];
62
+ usage: LanguageModelV2Usage | null;
35
63
  output: unknown | null;
36
64
  };
37
65
  };
@@ -40,15 +68,26 @@ export type AgentDataPart = {
40
68
  id: string;
41
69
  data: LLMStepResult;
42
70
  };
43
- export declare function WorkflowStreamToAISDKTransformer(): import("stream/web").TransformStream<ChunkType, WorkflowDataPart | ChunkType | {
71
+ declare const PRIMITIVE_CACHE_SYMBOL: unique symbol;
72
+ export declare function WorkflowStreamToAISDKTransformer({ includeTextStreamParts, }?: {
73
+ includeTextStreamParts?: boolean;
74
+ }): import("stream/web").TransformStream<ChunkType, ToolAgentChunkType | ToolWorkflowChunkType | ToolNetworkChunkType | WorkflowDataPart | ChunkType | {
44
75
  data?: string;
45
76
  type?: "start" | "finish";
46
- }>;
47
- export declare function AgentNetworkToAISDKTransformer(): import("stream/web").TransformStream<NetworkChunkType, DataChunkType | NetworkDataPart | {
77
+ } | InferUIMessageChunk<UIMessage<unknown, import("ai").UIDataTypes, import("ai").UITools>>>;
78
+ export declare function AgentNetworkToAISDKTransformer(): import("stream/web").TransformStream<NetworkChunkType, DataChunkType | NetworkDataPart | InferUIMessageChunk<UIMessage<unknown, import("ai").UIDataTypes, import("ai").UITools>> | {
48
79
  data?: string;
49
80
  type?: "start" | "finish";
50
- } | InferUIMessageChunk<UIMessage<unknown, import("ai").UIDataTypes, import("ai").UITools>>>;
51
- export declare function AgentStreamToAISDKTransformer<TOutput extends ZodType<any>>(): import("stream/web").TransformStream<ChunkType<TOutput>, object>;
81
+ }>;
82
+ export declare function AgentStreamToAISDKTransformer<TOutput extends ZodType<any>>({ lastMessageId, sendStart, sendFinish, sendReasoning, sendSources, messageMetadata, onError, }: {
83
+ lastMessageId?: string;
84
+ sendStart?: boolean;
85
+ sendFinish?: boolean;
86
+ sendReasoning?: boolean;
87
+ sendSources?: boolean;
88
+ messageMetadata?: UIMessageStreamOptions<UIMessage>['messageMetadata'];
89
+ onError?: UIMessageStreamOptions<UIMessage>['onError'];
90
+ }): import("stream/web").TransformStream<ChunkType<TOutput>, object>;
52
91
  export declare function transformAgent<TOutput extends ZodType<any>>(payload: ChunkType<TOutput>, bufferedSteps: Map<string, any>): {
53
92
  type: "data-tool-agent";
54
93
  id: string;
@@ -57,12 +96,120 @@ export declare function transformAgent<TOutput extends ZodType<any>>(payload: Ch
57
96
  export declare function transformWorkflow<TOutput extends ZodType<any>>(payload: ChunkType<TOutput>, bufferedWorkflows: Map<string, {
58
97
  name: string;
59
98
  steps: Record<string, StepResult>;
60
- }>, isNested?: boolean): (DataChunkType & {
99
+ }>, isNested?: boolean, includeTextStreamParts?: boolean): (DataChunkType & {
61
100
  from: never;
62
101
  runId: never;
63
102
  metadata?: Record<string, any> | undefined;
64
103
  payload: never;
65
- }) | {
104
+ }) | ToolAgentChunkType | ToolWorkflowChunkType | ToolNetworkChunkType | {
105
+ type: "text-start";
106
+ id: string;
107
+ providerMetadata?: import("ai").ProviderMetadata;
108
+ } | {
109
+ type: "text-delta";
110
+ delta: string;
111
+ id: string;
112
+ providerMetadata?: import("ai").ProviderMetadata;
113
+ } | {
114
+ type: "text-end";
115
+ id: string;
116
+ providerMetadata?: import("ai").ProviderMetadata;
117
+ } | {
118
+ type: "reasoning-start";
119
+ id: string;
120
+ providerMetadata?: import("ai").ProviderMetadata;
121
+ } | {
122
+ type: "reasoning-delta";
123
+ id: string;
124
+ delta: string;
125
+ providerMetadata?: import("ai").ProviderMetadata;
126
+ } | {
127
+ type: "reasoning-end";
128
+ id: string;
129
+ providerMetadata?: import("ai").ProviderMetadata;
130
+ } | {
131
+ type: "error";
132
+ errorText: string;
133
+ } | {
134
+ type: "tool-input-available";
135
+ toolCallId: string;
136
+ toolName: string;
137
+ input: unknown;
138
+ providerExecuted?: boolean;
139
+ providerMetadata?: import("ai").ProviderMetadata;
140
+ dynamic?: boolean;
141
+ } | {
142
+ type: "tool-input-error";
143
+ toolCallId: string;
144
+ toolName: string;
145
+ input: unknown;
146
+ providerExecuted?: boolean;
147
+ providerMetadata?: import("ai").ProviderMetadata;
148
+ dynamic?: boolean;
149
+ errorText: string;
150
+ } | {
151
+ type: "tool-output-available";
152
+ toolCallId: string;
153
+ output: unknown;
154
+ providerExecuted?: boolean;
155
+ dynamic?: boolean;
156
+ preliminary?: boolean;
157
+ } | {
158
+ type: "tool-output-error";
159
+ toolCallId: string;
160
+ errorText: string;
161
+ providerExecuted?: boolean;
162
+ dynamic?: boolean;
163
+ } | {
164
+ type: "tool-input-start";
165
+ toolCallId: string;
166
+ toolName: string;
167
+ providerExecuted?: boolean;
168
+ dynamic?: boolean;
169
+ } | {
170
+ type: "tool-input-delta";
171
+ toolCallId: string;
172
+ inputTextDelta: string;
173
+ } | {
174
+ type: "source-url";
175
+ sourceId: string;
176
+ url: string;
177
+ title?: string;
178
+ providerMetadata?: import("ai").ProviderMetadata;
179
+ } | {
180
+ type: "source-document";
181
+ sourceId: string;
182
+ mediaType: string;
183
+ title: string;
184
+ filename?: string;
185
+ providerMetadata?: import("ai").ProviderMetadata;
186
+ } | {
187
+ type: "file";
188
+ url: string;
189
+ mediaType: string;
190
+ providerMetadata?: import("ai").ProviderMetadata;
191
+ } | {
192
+ type: "start-step";
193
+ } | {
194
+ type: "finish-step";
195
+ } | {
196
+ type: "abort";
197
+ } | {
198
+ type: `data-${string}`;
199
+ id?: string;
200
+ data: unknown;
201
+ transient?: boolean;
202
+ } | {
203
+ type: "start";
204
+ messageId?: string;
205
+ messageMetadata?: unknown;
206
+ } | {
207
+ type: "finish";
208
+ messageMetadata?: unknown;
209
+ } | {
210
+ type: "message-metadata";
211
+ messageMetadata: unknown;
212
+ } | {
66
213
  readonly type: "data-workflow" | "data-tool-workflow";
67
214
  readonly id: string;
68
215
  readonly data: {
@@ -71,6 +218,15 @@ export declare function transformWorkflow<TOutput extends ZodType<any>>(payload:
71
218
  readonly steps: Record<string, StepResult>;
72
219
  readonly output: null;
73
220
  };
221
+ } | {
222
+ readonly type: "data-workflow" | "data-tool-workflow";
223
+ readonly id: string;
224
+ readonly data: {
225
+ readonly name: string;
226
+ readonly status: "suspended";
227
+ readonly steps: Record<string, StepResult>;
228
+ readonly output: null;
229
+ };
74
230
  } | {
75
231
  readonly type: "data-workflow" | "data-tool-workflow";
76
232
  readonly id: string;
@@ -86,10 +242,18 @@ export declare function transformWorkflow<TOutput extends ZodType<any>>(payload:
86
242
  };
87
243
  readonly status: WorkflowRunStatus;
88
244
  };
89
- } | null;
245
+ } | null | undefined;
90
246
  export declare function transformNetwork(payload: NetworkChunkType, bufferedNetworks: Map<string, {
91
247
  name: string;
92
- steps: StepResult[];
248
+ steps: (StepResult & {
249
+ id: string;
250
+ iteration: number;
251
+ task: null | Record<string, unknown>;
252
+ input: StepResult['input'];
253
+ [PRIMITIVE_CACHE_SYMBOL]: Map<string, any>;
254
+ })[];
255
+ usage: LanguageModelV2Usage | null;
256
+ output: unknown | null;
93
257
  }>, isNested?: boolean): InferUIMessageChunk<UIMessage> | NetworkDataPart | DataChunkType | null;
94
258
  export {};
95
259
  //# sourceMappingURL=transformers.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"transformers.d.ts","sourceRoot":"","sources":["../src/transformers.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,oBAAoB,CAAC;AACxD,OAAO,KAAK,EAAE,SAAS,EAAE,aAAa,EAAE,gBAAgB,EAAE,MAAM,qBAAqB,CAAC;AACtF,OAAO,KAAK,EAAE,iBAAiB,EAAE,kBAAkB,EAAE,MAAM,wBAAwB,CAAC;AACpF,OAAO,KAAK,EAAE,mBAAmB,EAAE,SAAS,EAAE,MAAM,IAAI,CAAC;AACzD,OAAO,KAAK,EAAE,OAAO,EAAE,MAAM,KAAK,CAAC;AAInC,KAAK,UAAU,GAAG;IAChB,IAAI,EAAE,MAAM,CAAC;IACb,MAAM,EAAE,kBAAkB,CAAC;IAC3B,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IACtC,MAAM,EAAE,OAAO,GAAG,IAAI,CAAC;CACxB,CAAC;AAEF,MAAM,MAAM,gBAAgB,GAAG;IAC7B,IAAI,EAAE,eAAe,GAAG,oBAAoB,CAAC;IAC7C,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE;QACJ,IAAI,EAAE,MAAM,CAAC;QACb,MAAM,EAAE,iBAAiB,CAAC;QAC1B,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,UAAU,CAAC,CAAC;QAClC,MAAM,EAAE;YACN,KAAK,EAAE;gBACL,WAAW,EAAE,MAAM,CAAC;gBACpB,YAAY,EAAE,MAAM,CAAC;gBACrB,WAAW,EAAE,MAAM,CAAC;aACrB,CAAC;SACH,GAAG,IAAI,CAAC;KACV,CAAC;CACH,CAAC;AAEF,MAAM,MAAM,eAAe,GAAG;IAC5B,IAAI,EAAE,cAAc,GAAG,mBAAmB,CAAC;IAC3C,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE;QACJ,IAAI,EAAE,MAAM,CAAC;QACb,MAAM,EAAE,SAAS,GAAG,UAAU,CAAC;QAC/B,KAAK,EAAE,UAAU,EAAE,CAAC;QACpB,MAAM,EAAE,OAAO,GAAG,IAAI,CAAC;KACxB,CAAC;CACH,CAAC;AAEF,MAAM,MAAM,aAAa,GAAG;IAC1B,IAAI,EAAE,iBAAiB,CAAC;IACxB,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE,aAAa,CAAC;CACrB,CAAC;AAEF,wBAAgB,gCAAgC;WAWjC,MAAM;WACN,OAAO,GAAG,QAAQ;GAqBhC;AAED,wBAAgB,8BAA8B;WAM/B,MAAM;WACN,OAAO,GAAG,QAAQ;6FAqBhC;AAED,wBAAgB,6BAA6B,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,sEAsCzE;AAED,wBAAgB,cAAc,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EACzD,OAAO,EAAE,SAAS,CAAC,OAAO,CAAC,EAC3B,aAAa,EAAE,GAAG,CAAC,MAAM,EAAE,GAAG,CAAC;;;;SAoJhC;AAED,wBAAgB,iBAAiB,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EAC5D,OAAO,EAAE,SAAS,CAAC,OAAO,CAAC,EAC3B,iBAAiB,EAAE,GAAG,CACpB,MAAM,EACN;IACE,IAAI,EAAE,MAAM,CAAC;IACb,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,UAAU,CAAC,CAAC;CACnC,CACF,EACD,QAAQ,CAAC,EAAE,OAAO;;;;;;;;;;;;;;;;;;;;;;;;;;;;;SAoFnB;AAED,wBAAgB,gBAAgB,CAC9B,OAAO,EAAE,gBAAgB,EACzB,gBAAgB,EAAE,GAAG,CAAC,MAAM,EAAE;IAAE,IAAI,EAAE,MAAM,CAAC;IAAC,KAAK,EAAE,UAAU,EAAE,CAAA;CAAE,CAAC,EACpE,QAAQ,CAAC,EAAE,OAAO,GACjB,mBAAmB,CAAC,SAAS,CAAC,GAAG,eAAe,GAAG,aAAa,GAAG,IAAI,CAoNzE"}
1
+ {"version":3,"file":"transformers.d.ts","sourceRoot":"","sources":["../src/transformers.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,oBAAoB,CAAC;AACxD,OAAO,KAAK,EAAE,SAAS,EAAE,aAAa,EAAE,gBAAgB,EAAE,MAAM,qBAAqB,CAAC;AACtF,OAAO,KAAK,EAAE,iBAAiB,EAAE,kBAAkB,EAAuB,MAAM,wBAAwB,CAAC;AACzG,OAAO,KAAK,EAAE,mBAAmB,EAA2B,SAAS,EAAE,sBAAsB,EAAE,MAAM,IAAI,CAAC;AAC1G,OAAO,KAAK,EAAE,OAAO,EAAE,MAAM,KAAK,CAAC;AAEnC,OAAO,KAAK,EAAE,kBAAkB,EAAE,qBAAqB,EAAE,oBAAoB,EAAE,MAAM,WAAW,CAAC;AASjG,KAAK,oBAAoB,GAAG;IAC1B;;OAEG;IACH,WAAW,EAAE,MAAM,GAAG,SAAS,CAAC;IAChC;;OAEG;IACH,YAAY,EAAE,MAAM,GAAG,SAAS,CAAC;IACjC;;;;OAIG;IACH,WAAW,EAAE,MAAM,GAAG,SAAS,CAAC;IAChC;;OAEG;IACH,eAAe,CAAC,EAAE,MAAM,GAAG,SAAS,CAAC;IACrC;;OAEG;IACH,iBAAiB,CAAC,EAAE,MAAM,GAAG,SAAS,CAAC;CACxC,CAAC;AAEF,KAAK,UAAU,GAAG;IAChB,IAAI,EAAE,MAAM,CAAC;IACb,MAAM,EAAE,kBAAkB,CAAC;IAC3B,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IACtC,MAAM,EAAE,OAAO,GAAG,IAAI,CAAC;IACvB,cAAc,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;IAC/C,aAAa,EAAE,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,GAAG,IAAI,CAAC;CAC/C,CAAC;AAEF,MAAM,MAAM,gBAAgB,GAAG;IAC7B,IAAI,EAAE,eAAe,GAAG,oBAAoB,CAAC;IAC7C,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE;QACJ,IAAI,EAAE,MAAM,CAAC;QACb,MAAM,EAAE,iBAAiB,CAAC;QAC1B,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,UAAU,CAAC,CAAC;QAClC,MAAM,EAAE;YACN,KAAK,EAAE;gBACL,WAAW,EAAE,MAAM,CAAC;gBACpB,YAAY,EAAE,MAAM,CAAC;gBACrB,WAAW,EAAE,MAAM,CAAC;aACrB,CAAC;SACH,GAAG,IAAI,CAAC;KACV,CAAC;CACH,CAAC;AAEF,MAAM,MAAM,eAAe,GAAG;IAC5B,IAAI,EAAE,cAAc,GAAG,mBAAmB,CAAC;IAC3C,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE;QACJ,IAAI,EAAE,MAAM,CAAC;QACb,MAAM,EAAE,SAAS,GAAG,UAAU,CAAC;QAC/B,KAAK,EAAE,UAAU,EAAE,CAAC;QACpB,KAAK,EAAE,oBAAoB,GAAG,IAAI,CAAC;QACnC,MAAM,EAAE,OAAO,GAAG,IAAI,CAAC;KACxB,CAAC;CACH,CAAC;AAEF,MAAM,MAAM,aAAa,GAAG;IAC1B,IAAI,EAAE,iBAAiB,CAAC;IACxB,EAAE,EAAE,MAAM,CAAC;IACX,IAAI,EAAE,aAAa,CAAC;CACrB,CAAC;AAGF,QAAA,MAAM,sBAAsB,eAA4B,CAAC;AAEzD,wBAAgB,gCAAgC,CAAC,EAC/C,sBAAsB,GACvB,GAAE;IAAE,sBAAsB,CAAC,EAAE,OAAO,CAAA;CAAO;WAW7B,MAAM;WACN,OAAO,GAAG,QAAQ;6FAwBhC;AAED,wBAAgB,8BAA8B;WAoB/B,MAAM;WACN,OAAO,GAAG,QAAQ;GAqBhC;AAED,wBAAgB,6BAA6B,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EAAE,EAC1E,aAAa,EACb,SAAS,EACT,UAAU,EACV,aAAa,EACb,WAAW,EACX,eAAe,EACf,OAAO,GACR,EAAE;IACD,aAAa,CAAC,EAAE,MAAM,CAAC;IACvB,SAAS,CAAC,EAAE,OAAO,CAAC;IACpB,UAAU,CAAC,EAAE,OAAO,CAAC;IACrB,aAAa,CAAC,EAAE,OAAO,CAAC;IACxB,WAAW,CAAC,EAAE,OAAO,CAAC;IACtB,eAAe,CAAC,EAAE,sBAAsB,CAAC,SAAS,CAAC,CAAC,iBAAiB,CAAC,CAAC;IACvE,OAAO,CAAC,EAAE,sBAAsB,CAAC,SAAS,CAAC,CAAC,SAAS,CAAC,CAAC;CACxD,oEA8DA;AAED,wBAAgB,cAAc,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EACzD,OAAO,EAAE,SAAS,CAAC,OAAO,CAAC,EAC3B,aAAa,EAAE,GAAG,CAAC,MAAM,EAAE,GAAG,CAAC;;;;SAoJhC;AAED,wBAAgB,iBAAiB,CAAC,OAAO,SAAS,OAAO,CAAC,GAAG,CAAC,EAC5D,OAAO,EAAE,SAAS,CAAC,OAAO,CAAC,EAC3B,iBAAiB,EAAE,GAAG,CACpB,MAAM,EACN;IACE,IAAI,EAAE,MAAM,CAAC;IACb,KAAK,EAAE,MAAM,CAAC,MAAM,EAAE,UAAU,CAAC,CAAC;CACnC,CACF,EACD,QAAQ,CAAC,EAAE,OAAO,EAClB,sBAAsB,CAAC,EAAE,OAAO;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;qBAqIjC;AAED,wBAAgB,gBAAgB,CAC9B,OAAO,EAAE,gBAAgB,EACzB,gBAAgB,EAAE,GAAG,CACnB,MAAM,EACN;IACE,IAAI,EAAE,MAAM,CAAC;IACb,KAAK,EAAE,CAAC,UAAU,GAAG;QACnB,EAAE,EAAE,MAAM,CAAC;QACX,SAAS,EAAE,MAAM,CAAC;QAClB,IAAI,EAAE,IAAI,GAAG,MAAM,CAAC,MAAM,EAAE,OAAO,CAAC,CAAC;QACrC,KAAK,EAAE,UAAU,CAAC,OAAO,CAAC,CAAC;QAC3B,CAAC,sBAAsB,CAAC,EAAE,GAAG,CAAC,MAAM,EAAE,GAAG,CAAC,CAAC;KAC5C,CAAC,EAAE,CAAC;IACL,KAAK,EAAE,oBAAoB,GAAG,IAAI,CAAC;IACnC,MAAM,EAAE,OAAO,GAAG,IAAI,CAAC;CACxB,CACF,EACD,QAAQ,CAAC,EAAE,OAAO,GACjB,mBAAmB,CAAC,SAAS,CAAC,GAAG,eAAe,GAAG,aAAa,GAAG,IAAI,CAgXzE"}
package/dist/ui.cjs ADDED
@@ -0,0 +1,16 @@
1
+ 'use strict';
2
+
3
+ var messageList = require('@mastra/core/agent/message-list');
4
+
5
+ // src/convert-messages.ts
6
+ function toAISdkV5Messages(messages) {
7
+ return new messageList.MessageList().add(messages, `memory`).get.all.aiV5.ui();
8
+ }
9
+ function toAISdkV4Messages(messages) {
10
+ return new messageList.MessageList().add(messages, `memory`).get.all.aiV4.ui();
11
+ }
12
+
13
+ exports.toAISdkV4Messages = toAISdkV4Messages;
14
+ exports.toAISdkV5Messages = toAISdkV5Messages;
15
+ //# sourceMappingURL=ui.cjs.map
16
+ //# sourceMappingURL=ui.cjs.map
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/convert-messages.ts"],"names":["MessageList"],"mappings":";;;;;AAMO,SAAS,kBAAkB,QAAA,EAA4B;AAC5D,EAAA,OAAO,IAAIA,uBAAA,EAAY,CAAE,GAAA,CAAI,QAAA,EAAU,QAAQ,CAAA,CAAE,GAAA,CAAI,GAAA,CAAI,IAAA,CAAK,EAAA,EAAG;AACnE;AAKO,SAAS,kBAAkB,QAAA,EAA4B;AAC5D,EAAA,OAAO,IAAIA,uBAAA,EAAY,CAAE,GAAA,CAAI,QAAA,EAAU,QAAQ,CAAA,CAAE,GAAA,CAAI,GAAA,CAAI,IAAA,CAAK,EAAA,EAAG;AACnE","file":"ui.cjs","sourcesContent":["import { MessageList } from '@mastra/core/agent/message-list';\nimport type { MessageListInput } from '@mastra/core/agent/message-list';\n\n/**\n * Converts messages to AI SDK V5 UI format\n */\nexport function toAISdkV5Messages(messages: MessageListInput) {\n return new MessageList().add(messages, `memory`).get.all.aiV5.ui();\n}\n\n/**\n * Converts messages to AI SDK V4 UI format\n */\nexport function toAISdkV4Messages(messages: MessageListInput) {\n return new MessageList().add(messages, `memory`).get.all.aiV4.ui();\n}\n"]}
package/dist/ui.d.ts ADDED
@@ -0,0 +1,2 @@
1
+ export { toAISdkV5Messages, toAISdkV4Messages } from './convert-messages.js';
2
+ //# sourceMappingURL=ui.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"ui.d.ts","sourceRoot":"","sources":["../src/ui.ts"],"names":[],"mappings":"AACA,OAAO,EAAE,iBAAiB,EAAE,iBAAiB,EAAE,MAAM,oBAAoB,CAAC"}
package/dist/ui.js ADDED
@@ -0,0 +1,13 @@
1
+ import { MessageList } from '@mastra/core/agent/message-list';
2
+
3
+ // src/convert-messages.ts
4
+ function toAISdkV5Messages(messages) {
5
+ return new MessageList().add(messages, `memory`).get.all.aiV5.ui();
6
+ }
7
+ function toAISdkV4Messages(messages) {
8
+ return new MessageList().add(messages, `memory`).get.all.aiV4.ui();
9
+ }
10
+
11
+ export { toAISdkV4Messages, toAISdkV5Messages };
12
+ //# sourceMappingURL=ui.js.map
13
+ //# sourceMappingURL=ui.js.map
package/dist/ui.js.map ADDED
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/convert-messages.ts"],"names":[],"mappings":";;;AAMO,SAAS,kBAAkB,QAAA,EAA4B;AAC5D,EAAA,OAAO,IAAI,WAAA,EAAY,CAAE,GAAA,CAAI,QAAA,EAAU,QAAQ,CAAA,CAAE,GAAA,CAAI,GAAA,CAAI,IAAA,CAAK,EAAA,EAAG;AACnE;AAKO,SAAS,kBAAkB,QAAA,EAA4B;AAC5D,EAAA,OAAO,IAAI,WAAA,EAAY,CAAE,GAAA,CAAI,QAAA,EAAU,QAAQ,CAAA,CAAE,GAAA,CAAI,GAAA,CAAI,IAAA,CAAK,EAAA,EAAG;AACnE","file":"ui.js","sourcesContent":["import { MessageList } from '@mastra/core/agent/message-list';\nimport type { MessageListInput } from '@mastra/core/agent/message-list';\n\n/**\n * Converts messages to AI SDK V5 UI format\n */\nexport function toAISdkV5Messages(messages: MessageListInput) {\n return new MessageList().add(messages, `memory`).get.all.aiV5.ui();\n}\n\n/**\n * Converts messages to AI SDK V4 UI format\n */\nexport function toAISdkV4Messages(messages: MessageListInput) {\n return new MessageList().add(messages, `memory`).get.all.aiV4.ui();\n}\n"]}
package/dist/utils.d.ts CHANGED
@@ -1,3 +1,11 @@
1
- import type { DataChunkType } from '@mastra/core/stream';
1
+ import type { ChunkType, DataChunkType, NetworkChunkType, OutputSchema } from '@mastra/core/stream';
2
2
  export declare const isDataChunkType: (chunk: any) => chunk is DataChunkType;
3
+ export declare const isMastraTextStreamChunk: (chunk: any) => chunk is ChunkType<OutputSchema>;
4
+ export declare function safeParseErrorObject(obj: unknown): string;
5
+ export declare const isAgentExecutionDataChunkType: (chunk: any) => chunk is Omit<NetworkChunkType, "payload"> & {
6
+ payload: DataChunkType;
7
+ };
8
+ export declare const isWorkflowExecutionDataChunkType: (chunk: any) => chunk is Omit<NetworkChunkType, "payload"> & {
9
+ payload: DataChunkType;
10
+ };
3
11
  //# sourceMappingURL=utils.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"utils.d.ts","sourceRoot":"","sources":["../src/utils.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,aAAa,EAAE,MAAM,qBAAqB,CAAC;AAEzD,eAAO,MAAM,eAAe,GAAI,OAAO,GAAG,KAAG,KAAK,IAAI,aAErD,CAAC"}
1
+ {"version":3,"file":"utils.d.ts","sourceRoot":"","sources":["../src/utils.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,SAAS,EAAE,aAAa,EAAE,gBAAgB,EAAE,YAAY,EAAE,MAAM,qBAAqB,CAAC;AAEpG,eAAO,MAAM,eAAe,GAAI,OAAO,GAAG,KAAG,KAAK,IAAI,aAErD,CAAC;AAEF,eAAO,MAAM,uBAAuB,GAAI,OAAO,GAAG,KAAG,KAAK,IAAI,SAAS,CAAC,YAAY,CAkCnF,CAAC;AAEF,wBAAgB,oBAAoB,CAAC,GAAG,EAAE,OAAO,GAAG,MAAM,CAgBzD;AAED,eAAO,MAAM,6BAA6B,GACxC,OAAO,GAAG,KACT,KAAK,IAAI,IAAI,CAAC,gBAAgB,EAAE,SAAS,CAAC,GAAG;IAAE,OAAO,EAAE,aAAa,CAAA;CAWvE,CAAC;AAEF,eAAO,MAAM,gCAAgC,GAC3C,OAAO,GAAG,KACT,KAAK,IAAI,IAAI,CAAC,gBAAgB,EAAE,SAAS,CAAC,GAAG;IAAE,OAAO,EAAE,aAAa,CAAA;CAWvE,CAAC"}