@mastra/mssql 0.0.0-scorers-api-v2-20250801171841 → 0.0.0-scorers-ui-refactored-20250916094952

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/dist/index.js CHANGED
@@ -1,127 +1,60 @@
1
- import { MessageList } from '@mastra/core/agent';
2
1
  import { MastraError, ErrorCategory, ErrorDomain } from '@mastra/core/error';
3
- import { MastraStorage, TABLE_EVALS, TABLE_TRACES, TABLE_WORKFLOW_SNAPSHOT, TABLE_THREADS, TABLE_MESSAGES, TABLE_RESOURCES } from '@mastra/core/storage';
2
+ import { MastraStorage, LegacyEvalsStorage, StoreOperations, TABLE_WORKFLOW_SNAPSHOT, ScoresStorage, TABLE_SCORERS, TracesStorage, TABLE_TRACES, WorkflowsStorage, MemoryStorage, resolveMessageLimit, TABLE_RESOURCES, TABLE_EVALS, TABLE_THREADS, TABLE_MESSAGES } from '@mastra/core/storage';
3
+ import sql2 from 'mssql';
4
4
  import { parseSqlIdentifier, parseFieldKey } from '@mastra/core/utils';
5
- import sql from 'mssql';
5
+ import { MessageList } from '@mastra/core/agent';
6
6
 
7
7
  // src/storage/index.ts
8
- var MSSQLStore = class extends MastraStorage {
9
- pool;
10
- schema;
11
- setupSchemaPromise = null;
12
- schemaSetupComplete = void 0;
13
- isConnected = null;
14
- constructor(config) {
15
- super({ name: "MSSQLStore" });
16
- try {
17
- if ("connectionString" in config) {
18
- if (!config.connectionString || typeof config.connectionString !== "string" || config.connectionString.trim() === "") {
19
- throw new Error("MSSQLStore: connectionString must be provided and cannot be empty.");
20
- }
21
- } else {
22
- const required = ["server", "database", "user", "password"];
23
- for (const key of required) {
24
- if (!(key in config) || typeof config[key] !== "string" || config[key].trim() === "") {
25
- throw new Error(`MSSQLStore: ${key} must be provided and cannot be empty.`);
26
- }
27
- }
28
- }
29
- this.schema = config.schemaName;
30
- this.pool = "connectionString" in config ? new sql.ConnectionPool(config.connectionString) : new sql.ConnectionPool({
31
- server: config.server,
32
- database: config.database,
33
- user: config.user,
34
- password: config.password,
35
- port: config.port,
36
- options: config.options || { encrypt: true, trustServerCertificate: true }
37
- });
38
- } catch (e) {
39
- throw new MastraError(
40
- {
41
- id: "MASTRA_STORAGE_MSSQL_STORE_INITIALIZATION_FAILED",
42
- domain: ErrorDomain.STORAGE,
43
- category: ErrorCategory.USER
44
- },
45
- e
46
- );
47
- }
48
- }
49
- async init() {
50
- if (this.isConnected === null) {
51
- this.isConnected = this._performInitializationAndStore();
52
- }
8
+ function getSchemaName(schema) {
9
+ return schema ? `[${parseSqlIdentifier(schema, "schema name")}]` : void 0;
10
+ }
11
+ function getTableName({ indexName, schemaName }) {
12
+ const parsedIndexName = parseSqlIdentifier(indexName, "index name");
13
+ const quotedIndexName = `[${parsedIndexName}]`;
14
+ const quotedSchemaName = schemaName;
15
+ return quotedSchemaName ? `${quotedSchemaName}.${quotedIndexName}` : quotedIndexName;
16
+ }
17
+
18
+ // src/storage/domains/legacy-evals/index.ts
19
+ function transformEvalRow(row) {
20
+ let testInfoValue = null, resultValue = null;
21
+ if (row.test_info) {
53
22
  try {
54
- await this.isConnected;
55
- await super.init();
56
- } catch (error) {
57
- this.isConnected = null;
58
- throw new MastraError(
59
- {
60
- id: "MASTRA_STORAGE_MSSQL_STORE_INIT_FAILED",
61
- domain: ErrorDomain.STORAGE,
62
- category: ErrorCategory.THIRD_PARTY
63
- },
64
- error
65
- );
23
+ testInfoValue = typeof row.test_info === "string" ? JSON.parse(row.test_info) : row.test_info;
24
+ } catch {
66
25
  }
67
26
  }
68
- async _performInitializationAndStore() {
27
+ if (row.test_info) {
69
28
  try {
70
- await this.pool.connect();
71
- return true;
72
- } catch (err) {
73
- throw err;
29
+ resultValue = typeof row.result === "string" ? JSON.parse(row.result) : row.result;
30
+ } catch {
74
31
  }
75
32
  }
76
- get supports() {
77
- return {
78
- selectByIncludeResourceScope: true,
79
- resourceWorkingMemory: true,
80
- hasColumn: true,
81
- createTable: true,
82
- deleteMessages: false
83
- };
84
- }
85
- getTableName(indexName) {
86
- const parsedIndexName = parseSqlIdentifier(indexName, "index name");
87
- const quotedIndexName = `[${parsedIndexName}]`;
88
- const quotedSchemaName = this.getSchemaName();
89
- return quotedSchemaName ? `${quotedSchemaName}.${quotedIndexName}` : quotedIndexName;
90
- }
91
- getSchemaName() {
92
- return this.schema ? `[${parseSqlIdentifier(this.schema, "schema name")}]` : void 0;
93
- }
94
- transformEvalRow(row) {
95
- let testInfoValue = null, resultValue = null;
96
- if (row.test_info) {
97
- try {
98
- testInfoValue = typeof row.test_info === "string" ? JSON.parse(row.test_info) : row.test_info;
99
- } catch {
100
- }
101
- }
102
- if (row.test_info) {
103
- try {
104
- resultValue = typeof row.result === "string" ? JSON.parse(row.result) : row.result;
105
- } catch {
106
- }
107
- }
108
- return {
109
- agentName: row.agent_name,
110
- input: row.input,
111
- output: row.output,
112
- result: resultValue,
113
- metricName: row.metric_name,
114
- instructions: row.instructions,
115
- testInfo: testInfoValue,
116
- globalRunId: row.global_run_id,
117
- runId: row.run_id,
118
- createdAt: row.created_at
119
- };
33
+ return {
34
+ agentName: row.agent_name,
35
+ input: row.input,
36
+ output: row.output,
37
+ result: resultValue,
38
+ metricName: row.metric_name,
39
+ instructions: row.instructions,
40
+ testInfo: testInfoValue,
41
+ globalRunId: row.global_run_id,
42
+ runId: row.run_id,
43
+ createdAt: row.created_at
44
+ };
45
+ }
46
+ var LegacyEvalsMSSQL = class extends LegacyEvalsStorage {
47
+ pool;
48
+ schema;
49
+ constructor({ pool, schema }) {
50
+ super();
51
+ this.pool = pool;
52
+ this.schema = schema;
120
53
  }
121
54
  /** @deprecated use getEvals instead */
122
55
  async getEvalsByAgentName(agentName, type) {
123
56
  try {
124
- let query = `SELECT * FROM ${this.getTableName(TABLE_EVALS)} WHERE agent_name = @p1`;
57
+ let query = `SELECT * FROM ${getTableName({ indexName: TABLE_EVALS, schemaName: getSchemaName(this.schema) })} WHERE agent_name = @p1`;
125
58
  if (type === "test") {
126
59
  query += " AND test_info IS NOT NULL AND JSON_VALUE(test_info, '$.testPath') IS NOT NULL";
127
60
  } else if (type === "live") {
@@ -132,7 +65,7 @@ var MSSQLStore = class extends MastraStorage {
132
65
  request.input("p1", agentName);
133
66
  const result = await request.query(query);
134
67
  const rows = result.recordset;
135
- return typeof this.transformEvalRow === "function" ? rows?.map((row) => this.transformEvalRow(row)) ?? [] : rows ?? [];
68
+ return typeof transformEvalRow === "function" ? rows?.map((row) => transformEvalRow(row)) ?? [] : rows ?? [];
136
69
  } catch (error) {
137
70
  if (error && error.number === 208 && error.message && error.message.includes("Invalid object name")) {
138
71
  return [];
@@ -141,597 +74,267 @@ var MSSQLStore = class extends MastraStorage {
141
74
  throw error;
142
75
  }
143
76
  }
144
- async batchInsert({ tableName, records }) {
145
- const transaction = this.pool.transaction();
146
- try {
147
- await transaction.begin();
148
- for (const record of records) {
149
- await this.insert({ tableName, record });
150
- }
151
- await transaction.commit();
152
- } catch (error) {
153
- await transaction.rollback();
154
- throw new MastraError(
155
- {
156
- id: "MASTRA_STORAGE_MSSQL_STORE_BATCH_INSERT_FAILED",
157
- domain: ErrorDomain.STORAGE,
158
- category: ErrorCategory.THIRD_PARTY,
159
- details: {
160
- tableName,
161
- numberOfRecords: records.length
162
- }
163
- },
164
- error
165
- );
166
- }
167
- }
168
- /** @deprecated use getTracesPaginated instead*/
169
- async getTraces(args) {
170
- if (args.fromDate || args.toDate) {
171
- args.dateRange = {
172
- start: args.fromDate,
173
- end: args.toDate
174
- };
175
- }
176
- const result = await this.getTracesPaginated(args);
177
- return result.traces;
178
- }
179
- async getTracesPaginated(args) {
180
- const { name, scope, page = 0, perPage: perPageInput, attributes, filters, dateRange } = args;
77
+ async getEvals(options = {}) {
78
+ const { agentName, type, page = 0, perPage = 100, dateRange } = options;
181
79
  const fromDate = dateRange?.start;
182
80
  const toDate = dateRange?.end;
183
- const perPage = perPageInput !== void 0 ? perPageInput : 100;
184
- const currentOffset = page * perPage;
185
- const paramMap = {};
186
- const conditions = [];
187
- let paramIndex = 1;
188
- if (name) {
189
- const paramName = `p${paramIndex++}`;
190
- conditions.push(`[name] LIKE @${paramName}`);
191
- paramMap[paramName] = `${name}%`;
192
- }
193
- if (scope) {
194
- const paramName = `p${paramIndex++}`;
195
- conditions.push(`[scope] = @${paramName}`);
196
- paramMap[paramName] = scope;
197
- }
198
- if (attributes) {
199
- Object.entries(attributes).forEach(([key, value]) => {
200
- const parsedKey = parseFieldKey(key);
201
- const paramName = `p${paramIndex++}`;
202
- conditions.push(`JSON_VALUE([attributes], '$.${parsedKey}') = @${paramName}`);
203
- paramMap[paramName] = value;
204
- });
81
+ const where = [];
82
+ const params = {};
83
+ if (agentName) {
84
+ where.push("agent_name = @agentName");
85
+ params["agentName"] = agentName;
205
86
  }
206
- if (filters) {
207
- Object.entries(filters).forEach(([key, value]) => {
208
- const parsedKey = parseFieldKey(key);
209
- const paramName = `p${paramIndex++}`;
210
- conditions.push(`[${parsedKey}] = @${paramName}`);
211
- paramMap[paramName] = value;
212
- });
87
+ if (type === "test") {
88
+ where.push("test_info IS NOT NULL AND JSON_VALUE(test_info, '$.testPath') IS NOT NULL");
89
+ } else if (type === "live") {
90
+ where.push("(test_info IS NULL OR JSON_VALUE(test_info, '$.testPath') IS NULL)");
213
91
  }
214
92
  if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
215
- const paramName = `p${paramIndex++}`;
216
- conditions.push(`[createdAt] >= @${paramName}`);
217
- paramMap[paramName] = fromDate.toISOString();
93
+ where.push(`[created_at] >= @fromDate`);
94
+ params[`fromDate`] = fromDate.toISOString();
218
95
  }
219
96
  if (toDate instanceof Date && !isNaN(toDate.getTime())) {
220
- const paramName = `p${paramIndex++}`;
221
- conditions.push(`[createdAt] <= @${paramName}`);
222
- paramMap[paramName] = toDate.toISOString();
97
+ where.push(`[created_at] <= @toDate`);
98
+ params[`toDate`] = toDate.toISOString();
223
99
  }
224
- const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
225
- const countQuery = `SELECT COUNT(*) as total FROM ${this.getTableName(TABLE_TRACES)} ${whereClause}`;
226
- let total = 0;
100
+ const whereClause = where.length > 0 ? `WHERE ${where.join(" AND ")}` : "";
101
+ const tableName = getTableName({ indexName: TABLE_EVALS, schemaName: getSchemaName(this.schema) });
102
+ const offset = page * perPage;
103
+ const countQuery = `SELECT COUNT(*) as total FROM ${tableName} ${whereClause}`;
104
+ const dataQuery = `SELECT * FROM ${tableName} ${whereClause} ORDER BY seq_id DESC OFFSET @offset ROWS FETCH NEXT @perPage ROWS ONLY`;
227
105
  try {
228
- const countRequest = this.pool.request();
229
- Object.entries(paramMap).forEach(([key, value]) => {
106
+ const countReq = this.pool.request();
107
+ Object.entries(params).forEach(([key, value]) => {
230
108
  if (value instanceof Date) {
231
- countRequest.input(key, sql.DateTime, value);
109
+ countReq.input(key, sql2.DateTime, value);
232
110
  } else {
233
- countRequest.input(key, value);
111
+ countReq.input(key, value);
234
112
  }
235
113
  });
236
- const countResult = await countRequest.query(countQuery);
237
- total = parseInt(countResult.recordset[0].total, 10);
114
+ const countResult = await countReq.query(countQuery);
115
+ const total = countResult.recordset[0]?.total || 0;
116
+ if (total === 0) {
117
+ return {
118
+ evals: [],
119
+ total: 0,
120
+ page,
121
+ perPage,
122
+ hasMore: false
123
+ };
124
+ }
125
+ const req = this.pool.request();
126
+ Object.entries(params).forEach(([key, value]) => {
127
+ if (value instanceof Date) {
128
+ req.input(key, sql2.DateTime, value);
129
+ } else {
130
+ req.input(key, value);
131
+ }
132
+ });
133
+ req.input("offset", offset);
134
+ req.input("perPage", perPage);
135
+ const result = await req.query(dataQuery);
136
+ const rows = result.recordset;
137
+ return {
138
+ evals: rows?.map((row) => transformEvalRow(row)) ?? [],
139
+ total,
140
+ page,
141
+ perPage,
142
+ hasMore: offset + (rows?.length ?? 0) < total
143
+ };
238
144
  } catch (error) {
239
- throw new MastraError(
145
+ const mastraError = new MastraError(
240
146
  {
241
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_TRACES_PAGINATED_FAILED_TO_RETRIEVE_TOTAL_COUNT",
147
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_EVALS_FAILED",
242
148
  domain: ErrorDomain.STORAGE,
243
149
  category: ErrorCategory.THIRD_PARTY,
244
150
  details: {
245
- name: args.name ?? "",
246
- scope: args.scope ?? ""
151
+ agentName: agentName || "all",
152
+ type: type || "all",
153
+ page,
154
+ perPage
247
155
  }
248
156
  },
249
157
  error
250
158
  );
159
+ this.logger?.error?.(mastraError.toString());
160
+ this.logger?.trackException(mastraError);
161
+ throw mastraError;
251
162
  }
252
- if (total === 0) {
253
- return {
254
- traces: [],
255
- total: 0,
256
- page,
257
- perPage,
258
- hasMore: false
259
- };
260
- }
261
- const dataQuery = `SELECT * FROM ${this.getTableName(TABLE_TRACES)} ${whereClause} ORDER BY [seq_id] DESC OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
262
- const dataRequest = this.pool.request();
263
- Object.entries(paramMap).forEach(([key, value]) => {
264
- if (value instanceof Date) {
265
- dataRequest.input(key, sql.DateTime, value);
266
- } else {
267
- dataRequest.input(key, value);
163
+ }
164
+ };
165
+ var MemoryMSSQL = class extends MemoryStorage {
166
+ pool;
167
+ schema;
168
+ operations;
169
+ _parseAndFormatMessages(messages, format) {
170
+ const messagesWithParsedContent = messages.map((message) => {
171
+ if (typeof message.content === "string") {
172
+ try {
173
+ return { ...message, content: JSON.parse(message.content) };
174
+ } catch {
175
+ return message;
176
+ }
268
177
  }
178
+ return message;
269
179
  });
270
- dataRequest.input("offset", currentOffset);
271
- dataRequest.input("limit", perPage);
272
- try {
273
- const rowsResult = await dataRequest.query(dataQuery);
274
- const rows = rowsResult.recordset;
275
- const traces = rows.map((row) => ({
276
- id: row.id,
277
- parentSpanId: row.parentSpanId,
278
- traceId: row.traceId,
279
- name: row.name,
280
- scope: row.scope,
281
- kind: row.kind,
282
- status: JSON.parse(row.status),
283
- events: JSON.parse(row.events),
284
- links: JSON.parse(row.links),
285
- attributes: JSON.parse(row.attributes),
286
- startTime: row.startTime,
287
- endTime: row.endTime,
288
- other: row.other,
289
- createdAt: row.createdAt
290
- }));
180
+ const cleanMessages = messagesWithParsedContent.map(({ seq_id, ...rest }) => rest);
181
+ const list = new MessageList().add(cleanMessages, "memory");
182
+ return format === "v2" ? list.get.all.v2() : list.get.all.v1();
183
+ }
184
+ constructor({
185
+ pool,
186
+ schema,
187
+ operations
188
+ }) {
189
+ super();
190
+ this.pool = pool;
191
+ this.schema = schema;
192
+ this.operations = operations;
193
+ }
194
+ async getThreadById({ threadId }) {
195
+ try {
196
+ const sql7 = `SELECT
197
+ id,
198
+ [resourceId],
199
+ title,
200
+ metadata,
201
+ [createdAt],
202
+ [updatedAt]
203
+ FROM ${getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) })}
204
+ WHERE id = @threadId`;
205
+ const request = this.pool.request();
206
+ request.input("threadId", threadId);
207
+ const resultSet = await request.query(sql7);
208
+ const thread = resultSet.recordset[0] || null;
209
+ if (!thread) {
210
+ return null;
211
+ }
291
212
  return {
292
- traces,
293
- total,
294
- page,
295
- perPage,
296
- hasMore: currentOffset + traces.length < total
213
+ ...thread,
214
+ metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
215
+ createdAt: thread.createdAt,
216
+ updatedAt: thread.updatedAt
297
217
  };
298
218
  } catch (error) {
299
219
  throw new MastraError(
300
220
  {
301
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_TRACES_PAGINATED_FAILED_TO_RETRIEVE_TRACES",
221
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREAD_BY_ID_FAILED",
302
222
  domain: ErrorDomain.STORAGE,
303
223
  category: ErrorCategory.THIRD_PARTY,
304
224
  details: {
305
- name: args.name ?? "",
306
- scope: args.scope ?? ""
225
+ threadId
307
226
  }
308
227
  },
309
228
  error
310
229
  );
311
230
  }
312
231
  }
313
- async setupSchema() {
314
- if (!this.schema || this.schemaSetupComplete) {
315
- return;
316
- }
317
- if (!this.setupSchemaPromise) {
318
- this.setupSchemaPromise = (async () => {
319
- try {
320
- const checkRequest = this.pool.request();
321
- checkRequest.input("schemaName", this.schema);
322
- const checkResult = await checkRequest.query(`
323
- SELECT 1 AS found FROM INFORMATION_SCHEMA.SCHEMATA WHERE SCHEMA_NAME = @schemaName
324
- `);
325
- const schemaExists = Array.isArray(checkResult.recordset) && checkResult.recordset.length > 0;
326
- if (!schemaExists) {
327
- try {
328
- await this.pool.request().query(`CREATE SCHEMA [${this.schema}]`);
329
- this.logger?.info?.(`Schema "${this.schema}" created successfully`);
330
- } catch (error) {
331
- this.logger?.error?.(`Failed to create schema "${this.schema}"`, { error });
332
- throw new Error(
333
- `Unable to create schema "${this.schema}". This requires CREATE privilege on the database. Either create the schema manually or grant CREATE privilege to the user.`
334
- );
335
- }
336
- }
337
- this.schemaSetupComplete = true;
338
- this.logger?.debug?.(`Schema "${this.schema}" is ready for use`);
339
- } catch (error) {
340
- this.schemaSetupComplete = void 0;
341
- this.setupSchemaPromise = null;
342
- throw error;
343
- } finally {
344
- this.setupSchemaPromise = null;
345
- }
346
- })();
347
- }
348
- await this.setupSchemaPromise;
349
- }
350
- getSqlType(type, isPrimaryKey = false) {
351
- switch (type) {
352
- case "text":
353
- return isPrimaryKey ? "NVARCHAR(255)" : "NVARCHAR(MAX)";
354
- case "timestamp":
355
- return "DATETIME2(7)";
356
- case "uuid":
357
- return "UNIQUEIDENTIFIER";
358
- case "jsonb":
359
- return "NVARCHAR(MAX)";
360
- case "integer":
361
- return "INT";
362
- case "bigint":
363
- return "BIGINT";
364
- default:
365
- throw new MastraError({
366
- id: "MASTRA_STORAGE_MSSQL_STORE_TYPE_NOT_SUPPORTED",
367
- domain: ErrorDomain.STORAGE,
368
- category: ErrorCategory.THIRD_PARTY
369
- });
370
- }
371
- }
372
- async createTable({
373
- tableName,
374
- schema
375
- }) {
232
+ async getThreadsByResourceIdPaginated(args) {
233
+ const { resourceId, page = 0, perPage: perPageInput, orderBy = "createdAt", sortDirection = "DESC" } = args;
376
234
  try {
377
- const uniqueConstraintColumns = tableName === TABLE_WORKFLOW_SNAPSHOT ? ["workflow_name", "run_id"] : [];
378
- const columns = Object.entries(schema).map(([name, def]) => {
379
- const parsedName = parseSqlIdentifier(name, "column name");
380
- const constraints = [];
381
- if (def.primaryKey) constraints.push("PRIMARY KEY");
382
- if (!def.nullable) constraints.push("NOT NULL");
383
- const isIndexed = !!def.primaryKey || uniqueConstraintColumns.includes(name);
384
- return `[${parsedName}] ${this.getSqlType(def.type, isIndexed)} ${constraints.join(" ")}`.trim();
385
- }).join(",\n");
386
- if (this.schema) {
387
- await this.setupSchema();
388
- }
389
- const checkTableRequest = this.pool.request();
390
- checkTableRequest.input("tableName", this.getTableName(tableName).replace(/[[\]]/g, "").split(".").pop());
391
- const checkTableSql = `SELECT 1 AS found FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName`;
392
- checkTableRequest.input("schema", this.schema || "dbo");
393
- const checkTableResult = await checkTableRequest.query(checkTableSql);
394
- const tableExists = Array.isArray(checkTableResult.recordset) && checkTableResult.recordset.length > 0;
395
- if (!tableExists) {
396
- const createSql = `CREATE TABLE ${this.getTableName(tableName)} (
397
- ${columns}
398
- )`;
399
- await this.pool.request().query(createSql);
400
- }
401
- const columnCheckSql = `
402
- SELECT 1 AS found
403
- FROM INFORMATION_SCHEMA.COLUMNS
404
- WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName AND COLUMN_NAME = 'seq_id'
405
- `;
406
- const checkColumnRequest = this.pool.request();
407
- checkColumnRequest.input("schema", this.schema || "dbo");
408
- checkColumnRequest.input("tableName", this.getTableName(tableName).replace(/[[\]]/g, "").split(".").pop());
409
- const columnResult = await checkColumnRequest.query(columnCheckSql);
410
- const columnExists = Array.isArray(columnResult.recordset) && columnResult.recordset.length > 0;
411
- if (!columnExists) {
412
- const alterSql = `ALTER TABLE ${this.getTableName(tableName)} ADD seq_id BIGINT IDENTITY(1,1)`;
413
- await this.pool.request().query(alterSql);
414
- }
415
- if (tableName === TABLE_WORKFLOW_SNAPSHOT) {
416
- const constraintName = "mastra_workflow_snapshot_workflow_name_run_id_key";
417
- const checkConstraintSql = `SELECT 1 AS found FROM sys.key_constraints WHERE name = @constraintName`;
418
- const checkConstraintRequest = this.pool.request();
419
- checkConstraintRequest.input("constraintName", constraintName);
420
- const constraintResult = await checkConstraintRequest.query(checkConstraintSql);
421
- const constraintExists = Array.isArray(constraintResult.recordset) && constraintResult.recordset.length > 0;
422
- if (!constraintExists) {
423
- const addConstraintSql = `ALTER TABLE ${this.getTableName(tableName)} ADD CONSTRAINT ${constraintName} UNIQUE ([workflow_name], [run_id])`;
424
- await this.pool.request().query(addConstraintSql);
425
- }
235
+ const perPage = perPageInput !== void 0 ? perPageInput : 100;
236
+ const currentOffset = page * perPage;
237
+ const baseQuery = `FROM ${getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) })} WHERE [resourceId] = @resourceId`;
238
+ const countQuery = `SELECT COUNT(*) as count ${baseQuery}`;
239
+ const countRequest = this.pool.request();
240
+ countRequest.input("resourceId", resourceId);
241
+ const countResult = await countRequest.query(countQuery);
242
+ const total = parseInt(countResult.recordset[0]?.count ?? "0", 10);
243
+ if (total === 0) {
244
+ return {
245
+ threads: [],
246
+ total: 0,
247
+ page,
248
+ perPage,
249
+ hasMore: false
250
+ };
426
251
  }
252
+ const orderByField = orderBy === "createdAt" ? "[createdAt]" : "[updatedAt]";
253
+ const dataQuery = `SELECT id, [resourceId], title, metadata, [createdAt], [updatedAt] ${baseQuery} ORDER BY ${orderByField} ${sortDirection} OFFSET @offset ROWS FETCH NEXT @perPage ROWS ONLY`;
254
+ const dataRequest = this.pool.request();
255
+ dataRequest.input("resourceId", resourceId);
256
+ dataRequest.input("perPage", perPage);
257
+ dataRequest.input("offset", currentOffset);
258
+ const rowsResult = await dataRequest.query(dataQuery);
259
+ const rows = rowsResult.recordset || [];
260
+ const threads = rows.map((thread) => ({
261
+ ...thread,
262
+ metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
263
+ createdAt: thread.createdAt,
264
+ updatedAt: thread.updatedAt
265
+ }));
266
+ return {
267
+ threads,
268
+ total,
269
+ page,
270
+ perPage,
271
+ hasMore: currentOffset + threads.length < total
272
+ };
427
273
  } catch (error) {
428
- throw new MastraError(
274
+ const mastraError = new MastraError(
429
275
  {
430
- id: "MASTRA_STORAGE_MSSQL_STORE_CREATE_TABLE_FAILED",
276
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREADS_BY_RESOURCE_ID_PAGINATED_FAILED",
431
277
  domain: ErrorDomain.STORAGE,
432
278
  category: ErrorCategory.THIRD_PARTY,
433
279
  details: {
434
- tableName
280
+ resourceId,
281
+ page
435
282
  }
436
283
  },
437
284
  error
438
285
  );
286
+ this.logger?.error?.(mastraError.toString());
287
+ this.logger?.trackException?.(mastraError);
288
+ return { threads: [], total: 0, page, perPage: perPageInput || 100, hasMore: false };
439
289
  }
440
290
  }
441
- getDefaultValue(type) {
442
- switch (type) {
443
- case "timestamp":
444
- return "DEFAULT SYSDATETIMEOFFSET()";
445
- case "jsonb":
446
- return "DEFAULT N'{}'";
447
- default:
448
- return super.getDefaultValue(type);
449
- }
450
- }
451
- async alterTable({
452
- tableName,
453
- schema,
454
- ifNotExists
455
- }) {
456
- const fullTableName = this.getTableName(tableName);
291
+ async saveThread({ thread }) {
457
292
  try {
458
- for (const columnName of ifNotExists) {
459
- if (schema[columnName]) {
460
- const columnCheckRequest = this.pool.request();
461
- columnCheckRequest.input("tableName", fullTableName.replace(/[[\]]/g, "").split(".").pop());
462
- columnCheckRequest.input("columnName", columnName);
463
- columnCheckRequest.input("schema", this.schema || "dbo");
464
- const checkSql = `SELECT 1 AS found FROM INFORMATION_SCHEMA.COLUMNS WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName AND COLUMN_NAME = @columnName`;
465
- const checkResult = await columnCheckRequest.query(checkSql);
466
- const columnExists = Array.isArray(checkResult.recordset) && checkResult.recordset.length > 0;
467
- if (!columnExists) {
468
- const columnDef = schema[columnName];
469
- const sqlType = this.getSqlType(columnDef.type);
470
- const nullable = columnDef.nullable === false ? "NOT NULL" : "";
471
- const defaultValue = columnDef.nullable === false ? this.getDefaultValue(columnDef.type) : "";
472
- const parsedColumnName = parseSqlIdentifier(columnName, "column name");
473
- const alterSql = `ALTER TABLE ${fullTableName} ADD [${parsedColumnName}] ${sqlType} ${nullable} ${defaultValue}`.trim();
474
- await this.pool.request().query(alterSql);
475
- this.logger?.debug?.(`Ensured column ${parsedColumnName} exists in table ${fullTableName}`);
476
- }
477
- }
478
- }
293
+ const table = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
294
+ const mergeSql = `MERGE INTO ${table} WITH (HOLDLOCK) AS target
295
+ USING (SELECT @id AS id) AS source
296
+ ON (target.id = source.id)
297
+ WHEN MATCHED THEN
298
+ UPDATE SET
299
+ [resourceId] = @resourceId,
300
+ title = @title,
301
+ metadata = @metadata,
302
+ [updatedAt] = @updatedAt
303
+ WHEN NOT MATCHED THEN
304
+ INSERT (id, [resourceId], title, metadata, [createdAt], [updatedAt])
305
+ VALUES (@id, @resourceId, @title, @metadata, @createdAt, @updatedAt);`;
306
+ const req = this.pool.request();
307
+ req.input("id", thread.id);
308
+ req.input("resourceId", thread.resourceId);
309
+ req.input("title", thread.title);
310
+ req.input("metadata", thread.metadata ? JSON.stringify(thread.metadata) : null);
311
+ req.input("createdAt", sql2.DateTime2, thread.createdAt);
312
+ req.input("updatedAt", sql2.DateTime2, thread.updatedAt);
313
+ await req.query(mergeSql);
314
+ return thread;
479
315
  } catch (error) {
480
316
  throw new MastraError(
481
317
  {
482
- id: "MASTRA_STORAGE_MSSQL_STORE_ALTER_TABLE_FAILED",
318
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_THREAD_FAILED",
483
319
  domain: ErrorDomain.STORAGE,
484
320
  category: ErrorCategory.THIRD_PARTY,
485
321
  details: {
486
- tableName
322
+ threadId: thread.id
487
323
  }
488
324
  },
489
325
  error
490
326
  );
491
327
  }
492
328
  }
493
- async clearTable({ tableName }) {
494
- const fullTableName = this.getTableName(tableName);
329
+ /**
330
+ * @deprecated use getThreadsByResourceIdPaginated instead
331
+ */
332
+ async getThreadsByResourceId(args) {
333
+ const { resourceId, orderBy = "createdAt", sortDirection = "DESC" } = args;
495
334
  try {
496
- const fkQuery = `
497
- SELECT
498
- OBJECT_SCHEMA_NAME(fk.parent_object_id) AS schema_name,
499
- OBJECT_NAME(fk.parent_object_id) AS table_name
500
- FROM sys.foreign_keys fk
501
- WHERE fk.referenced_object_id = OBJECT_ID(@fullTableName)
502
- `;
503
- const fkResult = await this.pool.request().input("fullTableName", fullTableName).query(fkQuery);
504
- const childTables = fkResult.recordset || [];
505
- for (const child of childTables) {
506
- const childTableName = this.schema ? `[${child.schema_name}].[${child.table_name}]` : `[${child.table_name}]`;
507
- await this.clearTable({ tableName: childTableName });
508
- }
509
- await this.pool.request().query(`TRUNCATE TABLE ${fullTableName}`);
510
- } catch (error) {
511
- throw new MastraError(
512
- {
513
- id: "MASTRA_STORAGE_MSSQL_STORE_CLEAR_TABLE_FAILED",
514
- domain: ErrorDomain.STORAGE,
515
- category: ErrorCategory.THIRD_PARTY,
516
- details: {
517
- tableName
518
- }
519
- },
520
- error
521
- );
522
- }
523
- }
524
- async insert({ tableName, record }) {
525
- try {
526
- const columns = Object.keys(record).map((col) => parseSqlIdentifier(col, "column name"));
527
- const values = Object.values(record);
528
- const paramNames = values.map((_, i) => `@param${i}`);
529
- const insertSql = `INSERT INTO ${this.getTableName(tableName)} (${columns.map((c) => `[${c}]`).join(", ")}) VALUES (${paramNames.join(", ")})`;
530
- const request = this.pool.request();
531
- values.forEach((value, i) => {
532
- if (value instanceof Date) {
533
- request.input(`param${i}`, sql.DateTime2, value);
534
- } else if (typeof value === "object" && value !== null) {
535
- request.input(`param${i}`, JSON.stringify(value));
536
- } else {
537
- request.input(`param${i}`, value);
538
- }
539
- });
540
- await request.query(insertSql);
541
- } catch (error) {
542
- throw new MastraError(
543
- {
544
- id: "MASTRA_STORAGE_MSSQL_STORE_INSERT_FAILED",
545
- domain: ErrorDomain.STORAGE,
546
- category: ErrorCategory.THIRD_PARTY,
547
- details: {
548
- tableName
549
- }
550
- },
551
- error
552
- );
553
- }
554
- }
555
- async load({ tableName, keys }) {
556
- try {
557
- const keyEntries = Object.entries(keys).map(([key, value]) => [parseSqlIdentifier(key, "column name"), value]);
558
- const conditions = keyEntries.map(([key], i) => `[${key}] = @param${i}`).join(" AND ");
559
- const values = keyEntries.map(([_, value]) => value);
560
- const sql2 = `SELECT * FROM ${this.getTableName(tableName)} WHERE ${conditions}`;
561
- const request = this.pool.request();
562
- values.forEach((value, i) => {
563
- request.input(`param${i}`, value);
564
- });
565
- const resultSet = await request.query(sql2);
566
- const result = resultSet.recordset[0] || null;
567
- if (!result) {
568
- return null;
569
- }
570
- if (tableName === TABLE_WORKFLOW_SNAPSHOT) {
571
- const snapshot = result;
572
- if (typeof snapshot.snapshot === "string") {
573
- snapshot.snapshot = JSON.parse(snapshot.snapshot);
574
- }
575
- return snapshot;
576
- }
577
- return result;
578
- } catch (error) {
579
- throw new MastraError(
580
- {
581
- id: "MASTRA_STORAGE_MSSQL_STORE_LOAD_FAILED",
582
- domain: ErrorDomain.STORAGE,
583
- category: ErrorCategory.THIRD_PARTY,
584
- details: {
585
- tableName
586
- }
587
- },
588
- error
589
- );
590
- }
591
- }
592
- async getThreadById({ threadId }) {
593
- try {
594
- const sql2 = `SELECT
595
- id,
596
- [resourceId],
597
- title,
598
- metadata,
599
- [createdAt],
600
- [updatedAt]
601
- FROM ${this.getTableName(TABLE_THREADS)}
602
- WHERE id = @threadId`;
603
- const request = this.pool.request();
604
- request.input("threadId", threadId);
605
- const resultSet = await request.query(sql2);
606
- const thread = resultSet.recordset[0] || null;
607
- if (!thread) {
608
- return null;
609
- }
610
- return {
611
- ...thread,
612
- metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
613
- createdAt: thread.createdAt,
614
- updatedAt: thread.updatedAt
615
- };
616
- } catch (error) {
617
- throw new MastraError(
618
- {
619
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREAD_BY_ID_FAILED",
620
- domain: ErrorDomain.STORAGE,
621
- category: ErrorCategory.THIRD_PARTY,
622
- details: {
623
- threadId
624
- }
625
- },
626
- error
627
- );
628
- }
629
- }
630
- async getThreadsByResourceIdPaginated(args) {
631
- const { resourceId, page = 0, perPage: perPageInput } = args;
632
- try {
633
- const perPage = perPageInput !== void 0 ? perPageInput : 100;
634
- const currentOffset = page * perPage;
635
- const baseQuery = `FROM ${this.getTableName(TABLE_THREADS)} WHERE [resourceId] = @resourceId`;
636
- const countQuery = `SELECT COUNT(*) as count ${baseQuery}`;
637
- const countRequest = this.pool.request();
638
- countRequest.input("resourceId", resourceId);
639
- const countResult = await countRequest.query(countQuery);
640
- const total = parseInt(countResult.recordset[0]?.count ?? "0", 10);
641
- if (total === 0) {
642
- return {
643
- threads: [],
644
- total: 0,
645
- page,
646
- perPage,
647
- hasMore: false
648
- };
649
- }
650
- const dataQuery = `SELECT id, [resourceId], title, metadata, [createdAt], [updatedAt] ${baseQuery} ORDER BY [seq_id] DESC OFFSET @offset ROWS FETCH NEXT @perPage ROWS ONLY`;
651
- const dataRequest = this.pool.request();
652
- dataRequest.input("resourceId", resourceId);
653
- dataRequest.input("perPage", perPage);
654
- dataRequest.input("offset", currentOffset);
655
- const rowsResult = await dataRequest.query(dataQuery);
656
- const rows = rowsResult.recordset || [];
657
- const threads = rows.map((thread) => ({
658
- ...thread,
659
- metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
660
- createdAt: thread.createdAt,
661
- updatedAt: thread.updatedAt
662
- }));
663
- return {
664
- threads,
665
- total,
666
- page,
667
- perPage,
668
- hasMore: currentOffset + threads.length < total
669
- };
670
- } catch (error) {
671
- const mastraError = new MastraError(
672
- {
673
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREADS_BY_RESOURCE_ID_PAGINATED_FAILED",
674
- domain: ErrorDomain.STORAGE,
675
- category: ErrorCategory.THIRD_PARTY,
676
- details: {
677
- resourceId,
678
- page
679
- }
680
- },
681
- error
682
- );
683
- this.logger?.error?.(mastraError.toString());
684
- this.logger?.trackException?.(mastraError);
685
- return { threads: [], total: 0, page, perPage: perPageInput || 100, hasMore: false };
686
- }
687
- }
688
- async saveThread({ thread }) {
689
- try {
690
- const table = this.getTableName(TABLE_THREADS);
691
- const mergeSql = `MERGE INTO ${table} WITH (HOLDLOCK) AS target
692
- USING (SELECT @id AS id) AS source
693
- ON (target.id = source.id)
694
- WHEN MATCHED THEN
695
- UPDATE SET
696
- [resourceId] = @resourceId,
697
- title = @title,
698
- metadata = @metadata,
699
- [createdAt] = @createdAt,
700
- [updatedAt] = @updatedAt
701
- WHEN NOT MATCHED THEN
702
- INSERT (id, [resourceId], title, metadata, [createdAt], [updatedAt])
703
- VALUES (@id, @resourceId, @title, @metadata, @createdAt, @updatedAt);`;
704
- const req = this.pool.request();
705
- req.input("id", thread.id);
706
- req.input("resourceId", thread.resourceId);
707
- req.input("title", thread.title);
708
- req.input("metadata", thread.metadata ? JSON.stringify(thread.metadata) : null);
709
- req.input("createdAt", thread.createdAt);
710
- req.input("updatedAt", thread.updatedAt);
711
- await req.query(mergeSql);
712
- return thread;
713
- } catch (error) {
714
- throw new MastraError(
715
- {
716
- id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_THREAD_FAILED",
717
- domain: ErrorDomain.STORAGE,
718
- category: ErrorCategory.THIRD_PARTY,
719
- details: {
720
- threadId: thread.id
721
- }
722
- },
723
- error
724
- );
725
- }
726
- }
727
- /**
728
- * @deprecated use getThreadsByResourceIdPaginated instead
729
- */
730
- async getThreadsByResourceId(args) {
731
- const { resourceId } = args;
732
- try {
733
- const baseQuery = `FROM ${this.getTableName(TABLE_THREADS)} WHERE [resourceId] = @resourceId`;
734
- const dataQuery = `SELECT id, [resourceId], title, metadata, [createdAt], [updatedAt] ${baseQuery} ORDER BY [seq_id] DESC`;
335
+ const baseQuery = `FROM ${getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) })} WHERE [resourceId] = @resourceId`;
336
+ const orderByField = orderBy === "createdAt" ? "[createdAt]" : "[updatedAt]";
337
+ const dataQuery = `SELECT id, [resourceId], title, metadata, [createdAt], [updatedAt] ${baseQuery} ORDER BY ${orderByField} ${sortDirection}`;
735
338
  const request = this.pool.request();
736
339
  request.input("resourceId", resourceId);
737
340
  const resultSet = await request.query(dataQuery);
@@ -773,8 +376,8 @@ ${columns}
773
376
  ...metadata
774
377
  };
775
378
  try {
776
- const table = this.getTableName(TABLE_THREADS);
777
- const sql2 = `UPDATE ${table}
379
+ const table = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
380
+ const sql7 = `UPDATE ${table}
778
381
  SET title = @title,
779
382
  metadata = @metadata,
780
383
  [updatedAt] = @updatedAt
@@ -784,8 +387,8 @@ ${columns}
784
387
  req.input("id", id);
785
388
  req.input("title", title);
786
389
  req.input("metadata", JSON.stringify(mergedMetadata));
787
- req.input("updatedAt", (/* @__PURE__ */ new Date()).toISOString());
788
- const result = await req.query(sql2);
390
+ req.input("updatedAt", /* @__PURE__ */ new Date());
391
+ const result = await req.query(sql7);
789
392
  let thread = result.recordset && result.recordset[0];
790
393
  if (thread && "seq_id" in thread) {
791
394
  const { seq_id, ...rest } = thread;
@@ -825,8 +428,8 @@ ${columns}
825
428
  }
826
429
  }
827
430
  async deleteThread({ threadId }) {
828
- const messagesTable = this.getTableName(TABLE_MESSAGES);
829
- const threadsTable = this.getTableName(TABLE_THREADS);
431
+ const messagesTable = getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) });
432
+ const threadsTable = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
830
433
  const deleteMessagesSql = `DELETE FROM ${messagesTable} WHERE [thread_id] = @threadId`;
831
434
  const deleteThreadSql = `DELETE FROM ${threadsTable} WHERE id = @threadId`;
832
435
  const tx = this.pool.transaction();
@@ -858,6 +461,7 @@ ${columns}
858
461
  selectBy,
859
462
  orderByStatement
860
463
  }) {
464
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
861
465
  const include = selectBy?.include;
862
466
  if (!include) return null;
863
467
  const unionQueries = [];
@@ -884,7 +488,7 @@ ${columns}
884
488
  m.seq_id
885
489
  FROM (
886
490
  SELECT *, ROW_NUMBER() OVER (${orderByStatement}) as row_num
887
- FROM ${this.getTableName(TABLE_MESSAGES)}
491
+ FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}
888
492
  WHERE [thread_id] = ${pThreadId}
889
493
  ) AS m
890
494
  WHERE m.id = ${pId}
@@ -892,7 +496,7 @@ ${columns}
892
496
  SELECT 1
893
497
  FROM (
894
498
  SELECT *, ROW_NUMBER() OVER (${orderByStatement}) as row_num
895
- FROM ${this.getTableName(TABLE_MESSAGES)}
499
+ FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}
896
500
  WHERE [thread_id] = ${pThreadId}
897
501
  ) AS target
898
502
  WHERE target.id = ${pId}
@@ -929,11 +533,12 @@ ${columns}
929
533
  return dedupedRows;
930
534
  }
931
535
  async getMessages(args) {
932
- const { threadId, format, selectBy } = args;
933
- const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId`;
536
+ const { threadId, resourceId, format, selectBy } = args;
537
+ const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId, resourceId`;
934
538
  const orderByStatement = `ORDER BY [seq_id] DESC`;
935
- const limit = this.resolveMessageLimit({ last: selectBy?.last, defaultLimit: 40 });
539
+ const limit = resolveMessageLimit({ last: selectBy?.last, defaultLimit: 40 });
936
540
  try {
541
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
937
542
  let rows = [];
938
543
  const include = selectBy?.include || [];
939
544
  if (include?.length) {
@@ -943,7 +548,7 @@ ${columns}
943
548
  }
944
549
  }
945
550
  const excludeIds = rows.map((m) => m.id).filter(Boolean);
946
- let query = `${selectStatement} FROM ${this.getTableName(TABLE_MESSAGES)} WHERE [thread_id] = @threadId`;
551
+ let query = `${selectStatement} FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} WHERE [thread_id] = @threadId`;
947
552
  const request = this.pool.request();
948
553
  request.input("threadId", threadId);
949
554
  if (excludeIds.length > 0) {
@@ -963,30 +568,7 @@ ${columns}
963
568
  return timeDiff;
964
569
  });
965
570
  rows = rows.map(({ seq_id, ...rest }) => rest);
966
- const fetchedMessages = (rows || []).map((message) => {
967
- if (typeof message.content === "string") {
968
- try {
969
- message.content = JSON.parse(message.content);
970
- } catch {
971
- }
972
- }
973
- if (format === "v1") {
974
- if (Array.isArray(message.content)) ; else if (typeof message.content === "object" && message.content && Array.isArray(message.content.parts)) {
975
- message.content = message.content.parts;
976
- } else {
977
- message.content = [{ type: "text", text: "" }];
978
- }
979
- } else {
980
- if (typeof message.content !== "object" || !message.content || !("parts" in message.content)) {
981
- message.content = { format: 2, parts: [{ type: "text", text: "" }] };
982
- }
983
- }
984
- if (message.type === "v2") delete message.type;
985
- return message;
986
- });
987
- return format === "v2" ? fetchedMessages.map(
988
- (m) => ({ ...m, content: m.content || { format: 2, parts: [{ type: "text", text: "" }] } })
989
- ) : fetchedMessages;
571
+ return this._parseAndFormatMessages(rows, format);
990
572
  } catch (error) {
991
573
  const mastraError = new MastraError(
992
574
  {
@@ -994,7 +576,8 @@ ${columns}
994
576
  domain: ErrorDomain.STORAGE,
995
577
  category: ErrorCategory.THIRD_PARTY,
996
578
  details: {
997
- threadId
579
+ threadId,
580
+ resourceId: resourceId ?? ""
998
581
  }
999
582
  },
1000
583
  error
@@ -1004,30 +587,65 @@ ${columns}
1004
587
  return [];
1005
588
  }
1006
589
  }
1007
- async getMessagesPaginated(args) {
1008
- const { threadId, selectBy } = args;
1009
- const { page = 0, perPage: perPageInput } = selectBy?.pagination || {};
590
+ async getMessagesById({
591
+ messageIds,
592
+ format
593
+ }) {
594
+ if (messageIds.length === 0) return [];
595
+ const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId, resourceId`;
1010
596
  const orderByStatement = `ORDER BY [seq_id] DESC`;
1011
- if (selectBy?.include?.length) {
1012
- await this._getIncludedMessages({ threadId, selectBy, orderByStatement });
597
+ try {
598
+ let rows = [];
599
+ let query = `${selectStatement} FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} WHERE [id] IN (${messageIds.map((_, i) => `@id${i}`).join(", ")})`;
600
+ const request = this.pool.request();
601
+ messageIds.forEach((id, i) => request.input(`id${i}`, id));
602
+ query += ` ${orderByStatement}`;
603
+ const result = await request.query(query);
604
+ const remainingRows = result.recordset || [];
605
+ rows.push(...remainingRows);
606
+ rows.sort((a, b) => {
607
+ const timeDiff = a.seq_id - b.seq_id;
608
+ return timeDiff;
609
+ });
610
+ rows = rows.map(({ seq_id, ...rest }) => rest);
611
+ if (format === `v1`) return this._parseAndFormatMessages(rows, format);
612
+ return this._parseAndFormatMessages(rows, `v2`);
613
+ } catch (error) {
614
+ const mastraError = new MastraError(
615
+ {
616
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_MESSAGES_BY_ID_FAILED",
617
+ domain: ErrorDomain.STORAGE,
618
+ category: ErrorCategory.THIRD_PARTY,
619
+ details: {
620
+ messageIds: JSON.stringify(messageIds)
621
+ }
622
+ },
623
+ error
624
+ );
625
+ this.logger?.error?.(mastraError.toString());
626
+ this.logger?.trackException(mastraError);
627
+ return [];
1013
628
  }
629
+ }
630
+ async getMessagesPaginated(args) {
631
+ const { threadId, resourceId, format, selectBy } = args;
632
+ const { page = 0, perPage: perPageInput, dateRange } = selectBy?.pagination || {};
1014
633
  try {
1015
- const { threadId: threadId2, format, selectBy: selectBy2 } = args;
1016
- const { page: page2 = 0, perPage: perPageInput2, dateRange } = selectBy2?.pagination || {};
634
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
1017
635
  const fromDate = dateRange?.start;
1018
636
  const toDate = dateRange?.end;
1019
- const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId`;
1020
- const orderByStatement2 = `ORDER BY [seq_id] DESC`;
1021
- let messages2 = [];
1022
- if (selectBy2?.include?.length) {
1023
- const includeMessages = await this._getIncludedMessages({ threadId: threadId2, selectBy: selectBy2, orderByStatement: orderByStatement2 });
1024
- if (includeMessages) messages2.push(...includeMessages);
637
+ const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId, resourceId`;
638
+ const orderByStatement = `ORDER BY [seq_id] DESC`;
639
+ let messages = [];
640
+ if (selectBy?.include?.length) {
641
+ const includeMessages = await this._getIncludedMessages({ threadId, selectBy, orderByStatement });
642
+ if (includeMessages) messages.push(...includeMessages);
1025
643
  }
1026
- const perPage = perPageInput2 !== void 0 ? perPageInput2 : this.resolveMessageLimit({ last: selectBy2?.last, defaultLimit: 40 });
1027
- const currentOffset = page2 * perPage;
644
+ const perPage = perPageInput !== void 0 ? perPageInput : resolveMessageLimit({ last: selectBy?.last, defaultLimit: 40 });
645
+ const currentOffset = page * perPage;
1028
646
  const conditions = ["[thread_id] = @threadId"];
1029
647
  const request = this.pool.request();
1030
- request.input("threadId", threadId2);
648
+ request.input("threadId", threadId);
1031
649
  if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
1032
650
  conditions.push("[createdAt] >= @fromDate");
1033
651
  request.input("fromDate", fromDate.toISOString());
@@ -1037,38 +655,38 @@ ${columns}
1037
655
  request.input("toDate", toDate.toISOString());
1038
656
  }
1039
657
  const whereClause = `WHERE ${conditions.join(" AND ")}`;
1040
- const countQuery = `SELECT COUNT(*) as total FROM ${this.getTableName(TABLE_MESSAGES)} ${whereClause}`;
658
+ const countQuery = `SELECT COUNT(*) as total FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} ${whereClause}`;
1041
659
  const countResult = await request.query(countQuery);
1042
660
  const total = parseInt(countResult.recordset[0]?.total, 10) || 0;
1043
- if (total === 0 && messages2.length > 0) {
1044
- const parsedIncluded = this._parseAndFormatMessages(messages2, format);
661
+ if (total === 0 && messages.length > 0) {
662
+ const parsedIncluded = this._parseAndFormatMessages(messages, format);
1045
663
  return {
1046
664
  messages: parsedIncluded,
1047
665
  total: parsedIncluded.length,
1048
- page: page2,
666
+ page,
1049
667
  perPage,
1050
668
  hasMore: false
1051
669
  };
1052
670
  }
1053
- const excludeIds = messages2.map((m) => m.id);
671
+ const excludeIds = messages.map((m) => m.id);
1054
672
  if (excludeIds.length > 0) {
1055
673
  const excludeParams = excludeIds.map((_, idx) => `@id${idx}`);
1056
674
  conditions.push(`id NOT IN (${excludeParams.join(", ")})`);
1057
675
  excludeIds.forEach((id, idx) => request.input(`id${idx}`, id));
1058
676
  }
1059
677
  const finalWhereClause = `WHERE ${conditions.join(" AND ")}`;
1060
- const dataQuery = `${selectStatement} FROM ${this.getTableName(TABLE_MESSAGES)} ${finalWhereClause} ${orderByStatement2} OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
678
+ const dataQuery = `${selectStatement} FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} ${finalWhereClause} ${orderByStatement} OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
1061
679
  request.input("offset", currentOffset);
1062
680
  request.input("limit", perPage);
1063
681
  const rowsResult = await request.query(dataQuery);
1064
682
  const rows = rowsResult.recordset || [];
1065
683
  rows.sort((a, b) => a.seq_id - b.seq_id);
1066
- messages2.push(...rows);
1067
- const parsed = this._parseAndFormatMessages(messages2, format);
684
+ messages.push(...rows);
685
+ const parsed = this._parseAndFormatMessages(messages, format);
1068
686
  return {
1069
687
  messages: parsed,
1070
688
  total: total + excludeIds.length,
1071
- page: page2,
689
+ page,
1072
690
  perPage,
1073
691
  hasMore: currentOffset + rows.length < total
1074
692
  };
@@ -1080,6 +698,7 @@ ${columns}
1080
698
  category: ErrorCategory.THIRD_PARTY,
1081
699
  details: {
1082
700
  threadId,
701
+ resourceId: resourceId ?? "",
1083
702
  page
1084
703
  }
1085
704
  },
@@ -1090,31 +709,6 @@ ${columns}
1090
709
  return { messages: [], total: 0, page, perPage: perPageInput || 40, hasMore: false };
1091
710
  }
1092
711
  }
1093
- _parseAndFormatMessages(messages, format) {
1094
- const parsedMessages = messages.map((message) => {
1095
- let parsed = message;
1096
- if (typeof parsed.content === "string") {
1097
- try {
1098
- parsed = { ...parsed, content: JSON.parse(parsed.content) };
1099
- } catch {
1100
- }
1101
- }
1102
- if (format === "v1") {
1103
- if (Array.isArray(parsed.content)) ; else if (parsed.content?.parts) {
1104
- parsed.content = parsed.content.parts;
1105
- } else {
1106
- parsed.content = [{ type: "text", text: "" }];
1107
- }
1108
- } else {
1109
- if (!parsed.content?.parts) {
1110
- parsed = { ...parsed, content: { format: 2, parts: [{ type: "text", text: "" }] } };
1111
- }
1112
- }
1113
- return parsed;
1114
- });
1115
- const list = new MessageList().add(parsedMessages, "memory");
1116
- return format === "v2" ? list.get.all.v2() : list.get.all.v1();
1117
- }
1118
712
  async saveMessages({
1119
713
  messages,
1120
714
  format
@@ -1139,8 +733,8 @@ ${columns}
1139
733
  details: { threadId }
1140
734
  });
1141
735
  }
1142
- const tableMessages = this.getTableName(TABLE_MESSAGES);
1143
- const tableThreads = this.getTableName(TABLE_THREADS);
736
+ const tableMessages = getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) });
737
+ const tableThreads = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
1144
738
  try {
1145
739
  const transaction = this.pool.transaction();
1146
740
  await transaction.begin();
@@ -1163,7 +757,7 @@ ${columns}
1163
757
  "content",
1164
758
  typeof message.content === "string" ? message.content : JSON.stringify(message.content)
1165
759
  );
1166
- request.input("createdAt", message.createdAt.toISOString() || (/* @__PURE__ */ new Date()).toISOString());
760
+ request.input("createdAt", sql2.DateTime2, message.createdAt);
1167
761
  request.input("role", message.role);
1168
762
  request.input("type", message.type || "v2");
1169
763
  request.input("resourceId", message.resourceId);
@@ -1182,7 +776,7 @@ ${columns}
1182
776
  await request.query(mergeSql);
1183
777
  }
1184
778
  const threadReq = transaction.request();
1185
- threadReq.input("updatedAt", (/* @__PURE__ */ new Date()).toISOString());
779
+ threadReq.input("updatedAt", sql2.DateTime2, /* @__PURE__ */ new Date());
1186
780
  threadReq.input("id", threadId);
1187
781
  await threadReq.query(`UPDATE ${tableThreads} SET [updatedAt] = @updatedAt WHERE id = @id`);
1188
782
  await transaction.commit();
@@ -1215,216 +809,6 @@ ${columns}
1215
809
  );
1216
810
  }
1217
811
  }
1218
- async persistWorkflowSnapshot({
1219
- workflowName,
1220
- runId,
1221
- snapshot
1222
- }) {
1223
- const table = this.getTableName(TABLE_WORKFLOW_SNAPSHOT);
1224
- const now = (/* @__PURE__ */ new Date()).toISOString();
1225
- try {
1226
- const request = this.pool.request();
1227
- request.input("workflow_name", workflowName);
1228
- request.input("run_id", runId);
1229
- request.input("snapshot", JSON.stringify(snapshot));
1230
- request.input("createdAt", now);
1231
- request.input("updatedAt", now);
1232
- const mergeSql = `MERGE INTO ${table} AS target
1233
- USING (SELECT @workflow_name AS workflow_name, @run_id AS run_id) AS src
1234
- ON target.workflow_name = src.workflow_name AND target.run_id = src.run_id
1235
- WHEN MATCHED THEN UPDATE SET
1236
- snapshot = @snapshot,
1237
- [updatedAt] = @updatedAt
1238
- WHEN NOT MATCHED THEN INSERT (workflow_name, run_id, snapshot, [createdAt], [updatedAt])
1239
- VALUES (@workflow_name, @run_id, @snapshot, @createdAt, @updatedAt);`;
1240
- await request.query(mergeSql);
1241
- } catch (error) {
1242
- throw new MastraError(
1243
- {
1244
- id: "MASTRA_STORAGE_MSSQL_STORE_PERSIST_WORKFLOW_SNAPSHOT_FAILED",
1245
- domain: ErrorDomain.STORAGE,
1246
- category: ErrorCategory.THIRD_PARTY,
1247
- details: {
1248
- workflowName,
1249
- runId
1250
- }
1251
- },
1252
- error
1253
- );
1254
- }
1255
- }
1256
- async loadWorkflowSnapshot({
1257
- workflowName,
1258
- runId
1259
- }) {
1260
- try {
1261
- const result = await this.load({
1262
- tableName: TABLE_WORKFLOW_SNAPSHOT,
1263
- keys: {
1264
- workflow_name: workflowName,
1265
- run_id: runId
1266
- }
1267
- });
1268
- if (!result) {
1269
- return null;
1270
- }
1271
- return result.snapshot;
1272
- } catch (error) {
1273
- throw new MastraError(
1274
- {
1275
- id: "MASTRA_STORAGE_MSSQL_STORE_LOAD_WORKFLOW_SNAPSHOT_FAILED",
1276
- domain: ErrorDomain.STORAGE,
1277
- category: ErrorCategory.THIRD_PARTY,
1278
- details: {
1279
- workflowName,
1280
- runId
1281
- }
1282
- },
1283
- error
1284
- );
1285
- }
1286
- }
1287
- async hasColumn(table, column) {
1288
- const schema = this.schema || "dbo";
1289
- const request = this.pool.request();
1290
- request.input("schema", schema);
1291
- request.input("table", table);
1292
- request.input("column", column);
1293
- request.input("columnLower", column.toLowerCase());
1294
- const result = await request.query(
1295
- `SELECT 1 FROM INFORMATION_SCHEMA.COLUMNS WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @table AND (COLUMN_NAME = @column OR COLUMN_NAME = @columnLower)`
1296
- );
1297
- return result.recordset.length > 0;
1298
- }
1299
- parseWorkflowRun(row) {
1300
- let parsedSnapshot = row.snapshot;
1301
- if (typeof parsedSnapshot === "string") {
1302
- try {
1303
- parsedSnapshot = JSON.parse(row.snapshot);
1304
- } catch (e) {
1305
- console.warn(`Failed to parse snapshot for workflow ${row.workflow_name}: ${e}`);
1306
- }
1307
- }
1308
- return {
1309
- workflowName: row.workflow_name,
1310
- runId: row.run_id,
1311
- snapshot: parsedSnapshot,
1312
- createdAt: row.createdAt,
1313
- updatedAt: row.updatedAt,
1314
- resourceId: row.resourceId
1315
- };
1316
- }
1317
- async getWorkflowRuns({
1318
- workflowName,
1319
- fromDate,
1320
- toDate,
1321
- limit,
1322
- offset,
1323
- resourceId
1324
- } = {}) {
1325
- try {
1326
- const conditions = [];
1327
- const paramMap = {};
1328
- if (workflowName) {
1329
- conditions.push(`[workflow_name] = @workflowName`);
1330
- paramMap["workflowName"] = workflowName;
1331
- }
1332
- if (resourceId) {
1333
- const hasResourceId = await this.hasColumn(TABLE_WORKFLOW_SNAPSHOT, "resourceId");
1334
- if (hasResourceId) {
1335
- conditions.push(`[resourceId] = @resourceId`);
1336
- paramMap["resourceId"] = resourceId;
1337
- } else {
1338
- console.warn(`[${TABLE_WORKFLOW_SNAPSHOT}] resourceId column not found. Skipping resourceId filter.`);
1339
- }
1340
- }
1341
- if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
1342
- conditions.push(`[createdAt] >= @fromDate`);
1343
- paramMap[`fromDate`] = fromDate.toISOString();
1344
- }
1345
- if (toDate instanceof Date && !isNaN(toDate.getTime())) {
1346
- conditions.push(`[createdAt] <= @toDate`);
1347
- paramMap[`toDate`] = toDate.toISOString();
1348
- }
1349
- const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
1350
- let total = 0;
1351
- const tableName = this.getTableName(TABLE_WORKFLOW_SNAPSHOT);
1352
- const request = this.pool.request();
1353
- Object.entries(paramMap).forEach(([key, value]) => {
1354
- if (value instanceof Date) {
1355
- request.input(key, sql.DateTime, value);
1356
- } else {
1357
- request.input(key, value);
1358
- }
1359
- });
1360
- if (limit !== void 0 && offset !== void 0) {
1361
- const countQuery = `SELECT COUNT(*) as count FROM ${tableName} ${whereClause}`;
1362
- const countResult = await request.query(countQuery);
1363
- total = Number(countResult.recordset[0]?.count || 0);
1364
- }
1365
- let query = `SELECT * FROM ${tableName} ${whereClause} ORDER BY [seq_id] DESC`;
1366
- if (limit !== void 0 && offset !== void 0) {
1367
- query += ` OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
1368
- request.input("limit", limit);
1369
- request.input("offset", offset);
1370
- }
1371
- const result = await request.query(query);
1372
- const runs = (result.recordset || []).map((row) => this.parseWorkflowRun(row));
1373
- return { runs, total: total || runs.length };
1374
- } catch (error) {
1375
- throw new MastraError(
1376
- {
1377
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUNS_FAILED",
1378
- domain: ErrorDomain.STORAGE,
1379
- category: ErrorCategory.THIRD_PARTY,
1380
- details: {
1381
- workflowName: workflowName || "all"
1382
- }
1383
- },
1384
- error
1385
- );
1386
- }
1387
- }
1388
- async getWorkflowRunById({
1389
- runId,
1390
- workflowName
1391
- }) {
1392
- try {
1393
- const conditions = [];
1394
- const paramMap = {};
1395
- if (runId) {
1396
- conditions.push(`[run_id] = @runId`);
1397
- paramMap["runId"] = runId;
1398
- }
1399
- if (workflowName) {
1400
- conditions.push(`[workflow_name] = @workflowName`);
1401
- paramMap["workflowName"] = workflowName;
1402
- }
1403
- const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
1404
- const tableName = this.getTableName(TABLE_WORKFLOW_SNAPSHOT);
1405
- const query = `SELECT * FROM ${tableName} ${whereClause}`;
1406
- const request = this.pool.request();
1407
- Object.entries(paramMap).forEach(([key, value]) => request.input(key, value));
1408
- const result = await request.query(query);
1409
- if (!result.recordset || result.recordset.length === 0) {
1410
- return null;
1411
- }
1412
- return this.parseWorkflowRun(result.recordset[0]);
1413
- } catch (error) {
1414
- throw new MastraError(
1415
- {
1416
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUN_BY_ID_FAILED",
1417
- domain: ErrorDomain.STORAGE,
1418
- category: ErrorCategory.THIRD_PARTY,
1419
- details: {
1420
- runId,
1421
- workflowName: workflowName || ""
1422
- }
1423
- },
1424
- error
1425
- );
1426
- }
1427
- }
1428
812
  async updateMessages({
1429
813
  messages
1430
814
  }) {
@@ -1433,7 +817,7 @@ ${columns}
1433
817
  }
1434
818
  const messageIds = messages.map((m) => m.id);
1435
819
  const idParams = messageIds.map((_, i) => `@id${i}`).join(", ");
1436
- let selectQuery = `SELECT id, content, role, type, createdAt, thread_id AS threadId, resourceId FROM ${this.getTableName(TABLE_MESSAGES)}`;
820
+ let selectQuery = `SELECT id, content, role, type, createdAt, thread_id AS threadId, resourceId FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}`;
1437
821
  if (idParams.length > 0) {
1438
822
  selectQuery += ` WHERE id IN (${idParams})`;
1439
823
  } else {
@@ -1490,7 +874,7 @@ ${columns}
1490
874
  }
1491
875
  }
1492
876
  if (setClauses.length > 0) {
1493
- const updateSql = `UPDATE ${this.getTableName(TABLE_MESSAGES)} SET ${setClauses.join(", ")} WHERE id = @id`;
877
+ const updateSql = `UPDATE ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} SET ${setClauses.join(", ")} WHERE id = @id`;
1494
878
  await req.query(updateSql);
1495
879
  }
1496
880
  }
@@ -1499,7 +883,7 @@ ${columns}
1499
883
  const threadReq = transaction.request();
1500
884
  Array.from(threadIdsToUpdate).forEach((tid, i) => threadReq.input(`tid${i}`, tid));
1501
885
  threadReq.input("updatedAt", (/* @__PURE__ */ new Date()).toISOString());
1502
- const threadSql = `UPDATE ${this.getTableName(TABLE_THREADS)} SET updatedAt = @updatedAt WHERE id IN (${threadIdParams})`;
886
+ const threadSql = `UPDATE ${getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) })} SET updatedAt = @updatedAt WHERE id IN (${threadIdParams})`;
1503
887
  await threadReq.query(threadSql);
1504
888
  }
1505
889
  await transaction.commit();
@@ -1527,101 +911,78 @@ ${columns}
1527
911
  return message;
1528
912
  });
1529
913
  }
1530
- async close() {
1531
- if (this.pool) {
914
+ async deleteMessages(messageIds) {
915
+ if (!messageIds || messageIds.length === 0) {
916
+ return;
917
+ }
918
+ try {
919
+ const messageTableName = getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) });
920
+ const threadTableName = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
921
+ const placeholders = messageIds.map((_, idx) => `@p${idx + 1}`).join(",");
922
+ const request = this.pool.request();
923
+ messageIds.forEach((id, idx) => {
924
+ request.input(`p${idx + 1}`, id);
925
+ });
926
+ const messages = await request.query(
927
+ `SELECT DISTINCT [thread_id] FROM ${messageTableName} WHERE [id] IN (${placeholders})`
928
+ );
929
+ const threadIds = messages.recordset?.map((msg) => msg.thread_id).filter(Boolean) || [];
930
+ const transaction = this.pool.transaction();
931
+ await transaction.begin();
1532
932
  try {
1533
- if (this.pool.connected) {
1534
- await this.pool.close();
1535
- } else if (this.pool.connecting) {
1536
- await this.pool.connect();
1537
- await this.pool.close();
933
+ const deleteRequest = transaction.request();
934
+ messageIds.forEach((id, idx) => {
935
+ deleteRequest.input(`p${idx + 1}`, id);
936
+ });
937
+ await deleteRequest.query(`DELETE FROM ${messageTableName} WHERE [id] IN (${placeholders})`);
938
+ if (threadIds.length > 0) {
939
+ for (const threadId of threadIds) {
940
+ const updateRequest = transaction.request();
941
+ updateRequest.input("p1", threadId);
942
+ await updateRequest.query(`UPDATE ${threadTableName} SET [updatedAt] = GETDATE() WHERE [id] = @p1`);
943
+ }
1538
944
  }
1539
- } catch (err) {
1540
- if (err.message && err.message.includes("Cannot close a pool while it is connecting")) ; else {
1541
- throw err;
945
+ await transaction.commit();
946
+ } catch (error) {
947
+ try {
948
+ await transaction.rollback();
949
+ } catch {
1542
950
  }
951
+ throw error;
1543
952
  }
953
+ } catch (error) {
954
+ throw new MastraError(
955
+ {
956
+ id: "MASTRA_STORAGE_MSSQL_STORE_DELETE_MESSAGES_FAILED",
957
+ domain: ErrorDomain.STORAGE,
958
+ category: ErrorCategory.THIRD_PARTY,
959
+ details: { messageIds: messageIds.join(", ") }
960
+ },
961
+ error
962
+ );
1544
963
  }
1545
964
  }
1546
- async getEvals(options = {}) {
1547
- const { agentName, type, page = 0, perPage = 100, dateRange } = options;
1548
- const fromDate = dateRange?.start;
1549
- const toDate = dateRange?.end;
1550
- const where = [];
1551
- const params = {};
1552
- if (agentName) {
1553
- where.push("agent_name = @agentName");
1554
- params["agentName"] = agentName;
1555
- }
1556
- if (type === "test") {
1557
- where.push("test_info IS NOT NULL AND JSON_VALUE(test_info, '$.testPath') IS NOT NULL");
1558
- } else if (type === "live") {
1559
- where.push("(test_info IS NULL OR JSON_VALUE(test_info, '$.testPath') IS NULL)");
1560
- }
1561
- if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
1562
- where.push(`[created_at] >= @fromDate`);
1563
- params[`fromDate`] = fromDate.toISOString();
1564
- }
1565
- if (toDate instanceof Date && !isNaN(toDate.getTime())) {
1566
- where.push(`[created_at] <= @toDate`);
1567
- params[`toDate`] = toDate.toISOString();
1568
- }
1569
- const whereClause = where.length > 0 ? `WHERE ${where.join(" AND ")}` : "";
1570
- const tableName = this.getTableName(TABLE_EVALS);
1571
- const offset = page * perPage;
1572
- const countQuery = `SELECT COUNT(*) as total FROM ${tableName} ${whereClause}`;
1573
- const dataQuery = `SELECT * FROM ${tableName} ${whereClause} ORDER BY seq_id DESC OFFSET @offset ROWS FETCH NEXT @perPage ROWS ONLY`;
965
+ async getResourceById({ resourceId }) {
966
+ const tableName = getTableName({ indexName: TABLE_RESOURCES, schemaName: getSchemaName(this.schema) });
1574
967
  try {
1575
- const countReq = this.pool.request();
1576
- Object.entries(params).forEach(([key, value]) => {
1577
- if (value instanceof Date) {
1578
- countReq.input(key, sql.DateTime, value);
1579
- } else {
1580
- countReq.input(key, value);
1581
- }
1582
- });
1583
- const countResult = await countReq.query(countQuery);
1584
- const total = countResult.recordset[0]?.total || 0;
1585
- if (total === 0) {
1586
- return {
1587
- evals: [],
1588
- total: 0,
1589
- page,
1590
- perPage,
1591
- hasMore: false
1592
- };
1593
- }
1594
968
  const req = this.pool.request();
1595
- Object.entries(params).forEach(([key, value]) => {
1596
- if (value instanceof Date) {
1597
- req.input(key, sql.DateTime, value);
1598
- } else {
1599
- req.input(key, value);
1600
- }
1601
- });
1602
- req.input("offset", offset);
1603
- req.input("perPage", perPage);
1604
- const result = await req.query(dataQuery);
1605
- const rows = result.recordset;
969
+ req.input("resourceId", resourceId);
970
+ const result = (await req.query(`SELECT * FROM ${tableName} WHERE id = @resourceId`)).recordset[0];
971
+ if (!result) {
972
+ return null;
973
+ }
1606
974
  return {
1607
- evals: rows?.map((row) => this.transformEvalRow(row)) ?? [],
1608
- total,
1609
- page,
1610
- perPage,
1611
- hasMore: offset + (rows?.length ?? 0) < total
975
+ ...result,
976
+ workingMemory: typeof result.workingMemory === "object" ? JSON.stringify(result.workingMemory) : result.workingMemory,
977
+ metadata: typeof result.metadata === "string" ? JSON.parse(result.metadata) : result.metadata
1612
978
  };
1613
979
  } catch (error) {
1614
980
  const mastraError = new MastraError(
1615
981
  {
1616
- id: "MASTRA_STORAGE_MSSQL_STORE_GET_EVALS_FAILED",
982
+ id: "MASTRA_STORAGE_MSSQL_GET_RESOURCE_BY_ID_FAILED",
1617
983
  domain: ErrorDomain.STORAGE,
1618
984
  category: ErrorCategory.THIRD_PARTY,
1619
- details: {
1620
- agentName: agentName || "all",
1621
- type: type || "all",
1622
- page,
1623
- perPage
1624
- }
985
+ details: { resourceId }
1625
986
  },
1626
987
  error
1627
988
  );
@@ -1631,32 +992,14 @@ ${columns}
1631
992
  }
1632
993
  }
1633
994
  async saveResource({ resource }) {
1634
- const tableName = this.getTableName(TABLE_RESOURCES);
1635
- try {
1636
- const req = this.pool.request();
1637
- req.input("id", resource.id);
1638
- req.input("workingMemory", resource.workingMemory);
1639
- req.input("metadata", JSON.stringify(resource.metadata));
1640
- req.input("createdAt", resource.createdAt.toISOString());
1641
- req.input("updatedAt", resource.updatedAt.toISOString());
1642
- await req.query(
1643
- `INSERT INTO ${tableName} (id, workingMemory, metadata, createdAt, updatedAt) VALUES (@id, @workingMemory, @metadata, @createdAt, @updatedAt)`
1644
- );
1645
- return resource;
1646
- } catch (error) {
1647
- const mastraError = new MastraError(
1648
- {
1649
- id: "MASTRA_STORAGE_MSSQL_SAVE_RESOURCE_FAILED",
1650
- domain: ErrorDomain.STORAGE,
1651
- category: ErrorCategory.THIRD_PARTY,
1652
- details: { resourceId: resource.id }
1653
- },
1654
- error
1655
- );
1656
- this.logger?.error?.(mastraError.toString());
1657
- this.logger?.trackException(mastraError);
1658
- throw mastraError;
1659
- }
995
+ await this.operations.insert({
996
+ tableName: TABLE_RESOURCES,
997
+ record: {
998
+ ...resource,
999
+ metadata: JSON.stringify(resource.metadata)
1000
+ }
1001
+ });
1002
+ return resource;
1660
1003
  }
1661
1004
  async updateResource({
1662
1005
  resourceId,
@@ -1684,7 +1027,7 @@ ${columns}
1684
1027
  },
1685
1028
  updatedAt: /* @__PURE__ */ new Date()
1686
1029
  };
1687
- const tableName = this.getTableName(TABLE_RESOURCES);
1030
+ const tableName = getTableName({ indexName: TABLE_RESOURCES, schemaName: getSchemaName(this.schema) });
1688
1031
  const updates = [];
1689
1032
  const req = this.pool.request();
1690
1033
  if (workingMemory !== void 0) {
@@ -1715,99 +1058,1304 @@ ${columns}
1715
1058
  throw mastraError;
1716
1059
  }
1717
1060
  }
1718
- async getResourceById({ resourceId }) {
1719
- const tableName = this.getTableName(TABLE_RESOURCES);
1061
+ };
1062
+ var StoreOperationsMSSQL = class extends StoreOperations {
1063
+ pool;
1064
+ schemaName;
1065
+ setupSchemaPromise = null;
1066
+ schemaSetupComplete = void 0;
1067
+ getSqlType(type, isPrimaryKey = false) {
1068
+ switch (type) {
1069
+ case "text":
1070
+ return isPrimaryKey ? "NVARCHAR(255)" : "NVARCHAR(MAX)";
1071
+ case "timestamp":
1072
+ return "DATETIME2(7)";
1073
+ case "uuid":
1074
+ return "UNIQUEIDENTIFIER";
1075
+ case "jsonb":
1076
+ return "NVARCHAR(MAX)";
1077
+ case "integer":
1078
+ return "INT";
1079
+ case "bigint":
1080
+ return "BIGINT";
1081
+ case "float":
1082
+ return "FLOAT";
1083
+ default:
1084
+ throw new MastraError({
1085
+ id: "MASTRA_STORAGE_MSSQL_STORE_TYPE_NOT_SUPPORTED",
1086
+ domain: ErrorDomain.STORAGE,
1087
+ category: ErrorCategory.THIRD_PARTY
1088
+ });
1089
+ }
1090
+ }
1091
+ constructor({ pool, schemaName }) {
1092
+ super();
1093
+ this.pool = pool;
1094
+ this.schemaName = schemaName;
1095
+ }
1096
+ async hasColumn(table, column) {
1097
+ const schema = this.schemaName || "dbo";
1098
+ const request = this.pool.request();
1099
+ request.input("schema", schema);
1100
+ request.input("table", table);
1101
+ request.input("column", column);
1102
+ request.input("columnLower", column.toLowerCase());
1103
+ const result = await request.query(
1104
+ `SELECT 1 FROM INFORMATION_SCHEMA.COLUMNS WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @table AND (COLUMN_NAME = @column OR COLUMN_NAME = @columnLower)`
1105
+ );
1106
+ return result.recordset.length > 0;
1107
+ }
1108
+ async setupSchema() {
1109
+ if (!this.schemaName || this.schemaSetupComplete) {
1110
+ return;
1111
+ }
1112
+ if (!this.setupSchemaPromise) {
1113
+ this.setupSchemaPromise = (async () => {
1114
+ try {
1115
+ const checkRequest = this.pool.request();
1116
+ checkRequest.input("schemaName", this.schemaName);
1117
+ const checkResult = await checkRequest.query(`
1118
+ SELECT 1 AS found FROM INFORMATION_SCHEMA.SCHEMATA WHERE SCHEMA_NAME = @schemaName
1119
+ `);
1120
+ const schemaExists = Array.isArray(checkResult.recordset) && checkResult.recordset.length > 0;
1121
+ if (!schemaExists) {
1122
+ try {
1123
+ await this.pool.request().query(`CREATE SCHEMA [${this.schemaName}]`);
1124
+ this.logger?.info?.(`Schema "${this.schemaName}" created successfully`);
1125
+ } catch (error) {
1126
+ this.logger?.error?.(`Failed to create schema "${this.schemaName}"`, { error });
1127
+ throw new Error(
1128
+ `Unable to create schema "${this.schemaName}". This requires CREATE privilege on the database. Either create the schema manually or grant CREATE privilege to the user.`
1129
+ );
1130
+ }
1131
+ }
1132
+ this.schemaSetupComplete = true;
1133
+ this.logger?.debug?.(`Schema "${this.schemaName}" is ready for use`);
1134
+ } catch (error) {
1135
+ this.schemaSetupComplete = void 0;
1136
+ this.setupSchemaPromise = null;
1137
+ throw error;
1138
+ } finally {
1139
+ this.setupSchemaPromise = null;
1140
+ }
1141
+ })();
1142
+ }
1143
+ await this.setupSchemaPromise;
1144
+ }
1145
+ async insert({ tableName, record }) {
1720
1146
  try {
1721
- const req = this.pool.request();
1722
- req.input("resourceId", resourceId);
1723
- const result = (await req.query(`SELECT * FROM ${tableName} WHERE id = @resourceId`)).recordset[0];
1724
- if (!result) {
1725
- return null;
1726
- }
1727
- return {
1728
- ...result,
1729
- workingMemory: typeof result.workingMemory === "object" ? JSON.stringify(result.workingMemory) : result.workingMemory,
1730
- metadata: typeof result.metadata === "string" ? JSON.parse(result.metadata) : result.metadata
1731
- };
1147
+ const columns = Object.keys(record).map((col) => parseSqlIdentifier(col, "column name"));
1148
+ const values = Object.values(record);
1149
+ const paramNames = values.map((_, i) => `@param${i}`);
1150
+ const insertSql = `INSERT INTO ${getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) })} (${columns.map((c) => `[${c}]`).join(", ")}) VALUES (${paramNames.join(", ")})`;
1151
+ const request = this.pool.request();
1152
+ values.forEach((value, i) => {
1153
+ if (value instanceof Date) {
1154
+ request.input(`param${i}`, sql2.DateTime2, value);
1155
+ } else if (typeof value === "object" && value !== null) {
1156
+ request.input(`param${i}`, JSON.stringify(value));
1157
+ } else {
1158
+ request.input(`param${i}`, value);
1159
+ }
1160
+ });
1161
+ await request.query(insertSql);
1732
1162
  } catch (error) {
1733
- const mastraError = new MastraError(
1163
+ throw new MastraError(
1734
1164
  {
1735
- id: "MASTRA_STORAGE_MSSQL_GET_RESOURCE_BY_ID_FAILED",
1165
+ id: "MASTRA_STORAGE_MSSQL_STORE_INSERT_FAILED",
1736
1166
  domain: ErrorDomain.STORAGE,
1737
1167
  category: ErrorCategory.THIRD_PARTY,
1738
- details: { resourceId }
1168
+ details: {
1169
+ tableName
1170
+ }
1739
1171
  },
1740
1172
  error
1741
1173
  );
1742
- this.logger?.error?.(mastraError.toString());
1743
- this.logger?.trackException(mastraError);
1744
- throw mastraError;
1745
1174
  }
1746
1175
  }
1747
- async getScoreById({ id }) {
1748
- throw new MastraError({
1749
- id: "STORAGE_MONGODB_STORE_GET_SCORE_BY_ID_FAILED",
1750
- domain: ErrorDomain.STORAGE,
1751
- category: ErrorCategory.THIRD_PARTY,
1752
- details: { id },
1753
- text: "getScoreById is not implemented yet in MongoDBStore"
1754
- });
1755
- }
1756
- async saveScore(_score) {
1757
- throw new MastraError({
1758
- id: "STORAGE_MONGODB_STORE_SAVE_SCORE_FAILED",
1759
- domain: ErrorDomain.STORAGE,
1760
- category: ErrorCategory.THIRD_PARTY,
1761
- details: {},
1762
- text: "saveScore is not implemented yet in MongoDBStore"
1763
- });
1764
- }
1765
- async getScoresByScorerId({
1766
- scorerId,
1767
- pagination: _pagination,
1768
- entityId,
1769
- entityType
1770
- }) {
1771
- throw new MastraError({
1772
- id: "STORAGE_MONGODB_STORE_GET_SCORES_BY_SCORER_ID_FAILED",
1773
- domain: ErrorDomain.STORAGE,
1774
- category: ErrorCategory.THIRD_PARTY,
1775
- details: { scorerId, entityId: entityId || "", entityType: entityType || "" },
1776
- text: "getScoresByScorerId is not implemented yet in MongoDBStore"
1777
- });
1176
+ async clearTable({ tableName }) {
1177
+ const fullTableName = getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) });
1178
+ try {
1179
+ try {
1180
+ await this.pool.request().query(`TRUNCATE TABLE ${fullTableName}`);
1181
+ } catch (truncateError) {
1182
+ if (truncateError.message && truncateError.message.includes("foreign key")) {
1183
+ await this.pool.request().query(`DELETE FROM ${fullTableName}`);
1184
+ } else {
1185
+ throw truncateError;
1186
+ }
1187
+ }
1188
+ } catch (error) {
1189
+ throw new MastraError(
1190
+ {
1191
+ id: "MASTRA_STORAGE_MSSQL_STORE_CLEAR_TABLE_FAILED",
1192
+ domain: ErrorDomain.STORAGE,
1193
+ category: ErrorCategory.THIRD_PARTY,
1194
+ details: {
1195
+ tableName
1196
+ }
1197
+ },
1198
+ error
1199
+ );
1200
+ }
1778
1201
  }
1779
- async getScoresByRunId({
1780
- runId,
1781
- pagination: _pagination
1782
- }) {
1783
- throw new MastraError({
1784
- id: "STORAGE_MONGODB_STORE_GET_SCORES_BY_RUN_ID_FAILED",
1785
- domain: ErrorDomain.STORAGE,
1786
- category: ErrorCategory.THIRD_PARTY,
1787
- details: { runId },
1788
- text: "getScoresByRunId is not implemented yet in MongoDBStore"
1789
- });
1202
+ getDefaultValue(type) {
1203
+ switch (type) {
1204
+ case "timestamp":
1205
+ return "DEFAULT SYSDATETIMEOFFSET()";
1206
+ case "jsonb":
1207
+ return "DEFAULT N'{}'";
1208
+ default:
1209
+ return super.getDefaultValue(type);
1210
+ }
1790
1211
  }
1791
- async getScoresByEntityId({
1792
- entityId,
1793
- entityType,
1794
- pagination: _pagination
1212
+ async createTable({
1213
+ tableName,
1214
+ schema
1795
1215
  }) {
1796
- throw new MastraError({
1797
- id: "STORAGE_MONGODB_STORE_GET_SCORES_BY_ENTITY_ID_FAILED",
1798
- domain: ErrorDomain.STORAGE,
1799
- category: ErrorCategory.THIRD_PARTY,
1800
- details: { entityId, entityType },
1801
- text: "getScoresByEntityId is not implemented yet in MongoDBStore"
1802
- });
1803
- }
1804
- async dropTable({ tableName }) {
1805
- throw new MastraError({
1806
- id: "STORAGE_MONGODB_STORE_DROP_TABLE_FAILED",
1807
- domain: ErrorDomain.STORAGE,
1808
- category: ErrorCategory.THIRD_PARTY,
1809
- details: { tableName },
1810
- text: "dropTable is not implemented yet in MongoDBStore"
1216
+ try {
1217
+ const uniqueConstraintColumns = tableName === TABLE_WORKFLOW_SNAPSHOT ? ["workflow_name", "run_id"] : [];
1218
+ const columns = Object.entries(schema).map(([name, def]) => {
1219
+ const parsedName = parseSqlIdentifier(name, "column name");
1220
+ const constraints = [];
1221
+ if (def.primaryKey) constraints.push("PRIMARY KEY");
1222
+ if (!def.nullable) constraints.push("NOT NULL");
1223
+ const isIndexed = !!def.primaryKey || uniqueConstraintColumns.includes(name);
1224
+ return `[${parsedName}] ${this.getSqlType(def.type, isIndexed)} ${constraints.join(" ")}`.trim();
1225
+ }).join(",\n");
1226
+ if (this.schemaName) {
1227
+ await this.setupSchema();
1228
+ }
1229
+ const checkTableRequest = this.pool.request();
1230
+ checkTableRequest.input(
1231
+ "tableName",
1232
+ getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) }).replace(/[[\]]/g, "").split(".").pop()
1233
+ );
1234
+ const checkTableSql = `SELECT 1 AS found FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName`;
1235
+ checkTableRequest.input("schema", this.schemaName || "dbo");
1236
+ const checkTableResult = await checkTableRequest.query(checkTableSql);
1237
+ const tableExists = Array.isArray(checkTableResult.recordset) && checkTableResult.recordset.length > 0;
1238
+ if (!tableExists) {
1239
+ const createSql = `CREATE TABLE ${getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) })} (
1240
+ ${columns}
1241
+ )`;
1242
+ await this.pool.request().query(createSql);
1243
+ }
1244
+ const columnCheckSql = `
1245
+ SELECT 1 AS found
1246
+ FROM INFORMATION_SCHEMA.COLUMNS
1247
+ WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName AND COLUMN_NAME = 'seq_id'
1248
+ `;
1249
+ const checkColumnRequest = this.pool.request();
1250
+ checkColumnRequest.input("schema", this.schemaName || "dbo");
1251
+ checkColumnRequest.input(
1252
+ "tableName",
1253
+ getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) }).replace(/[[\]]/g, "").split(".").pop()
1254
+ );
1255
+ const columnResult = await checkColumnRequest.query(columnCheckSql);
1256
+ const columnExists = Array.isArray(columnResult.recordset) && columnResult.recordset.length > 0;
1257
+ if (!columnExists) {
1258
+ const alterSql = `ALTER TABLE ${getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) })} ADD seq_id BIGINT IDENTITY(1,1)`;
1259
+ await this.pool.request().query(alterSql);
1260
+ }
1261
+ if (tableName === TABLE_WORKFLOW_SNAPSHOT) {
1262
+ const constraintName = "mastra_workflow_snapshot_workflow_name_run_id_key";
1263
+ const checkConstraintSql = `SELECT 1 AS found FROM sys.key_constraints WHERE name = @constraintName`;
1264
+ const checkConstraintRequest = this.pool.request();
1265
+ checkConstraintRequest.input("constraintName", constraintName);
1266
+ const constraintResult = await checkConstraintRequest.query(checkConstraintSql);
1267
+ const constraintExists = Array.isArray(constraintResult.recordset) && constraintResult.recordset.length > 0;
1268
+ if (!constraintExists) {
1269
+ const addConstraintSql = `ALTER TABLE ${getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) })} ADD CONSTRAINT ${constraintName} UNIQUE ([workflow_name], [run_id])`;
1270
+ await this.pool.request().query(addConstraintSql);
1271
+ }
1272
+ }
1273
+ } catch (error) {
1274
+ throw new MastraError(
1275
+ {
1276
+ id: "MASTRA_STORAGE_MSSQL_STORE_CREATE_TABLE_FAILED",
1277
+ domain: ErrorDomain.STORAGE,
1278
+ category: ErrorCategory.THIRD_PARTY,
1279
+ details: {
1280
+ tableName
1281
+ }
1282
+ },
1283
+ error
1284
+ );
1285
+ }
1286
+ }
1287
+ /**
1288
+ * Alters table schema to add columns if they don't exist
1289
+ * @param tableName Name of the table
1290
+ * @param schema Schema of the table
1291
+ * @param ifNotExists Array of column names to add if they don't exist
1292
+ */
1293
+ async alterTable({
1294
+ tableName,
1295
+ schema,
1296
+ ifNotExists
1297
+ }) {
1298
+ const fullTableName = getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) });
1299
+ try {
1300
+ for (const columnName of ifNotExists) {
1301
+ if (schema[columnName]) {
1302
+ const columnCheckRequest = this.pool.request();
1303
+ columnCheckRequest.input("tableName", fullTableName.replace(/[[\]]/g, "").split(".").pop());
1304
+ columnCheckRequest.input("columnName", columnName);
1305
+ columnCheckRequest.input("schema", this.schemaName || "dbo");
1306
+ const checkSql = `SELECT 1 AS found FROM INFORMATION_SCHEMA.COLUMNS WHERE TABLE_SCHEMA = @schema AND TABLE_NAME = @tableName AND COLUMN_NAME = @columnName`;
1307
+ const checkResult = await columnCheckRequest.query(checkSql);
1308
+ const columnExists = Array.isArray(checkResult.recordset) && checkResult.recordset.length > 0;
1309
+ if (!columnExists) {
1310
+ const columnDef = schema[columnName];
1311
+ const sqlType = this.getSqlType(columnDef.type);
1312
+ const nullable = columnDef.nullable === false ? "NOT NULL" : "";
1313
+ const defaultValue = columnDef.nullable === false ? this.getDefaultValue(columnDef.type) : "";
1314
+ const parsedColumnName = parseSqlIdentifier(columnName, "column name");
1315
+ const alterSql = `ALTER TABLE ${fullTableName} ADD [${parsedColumnName}] ${sqlType} ${nullable} ${defaultValue}`.trim();
1316
+ await this.pool.request().query(alterSql);
1317
+ this.logger?.debug?.(`Ensured column ${parsedColumnName} exists in table ${fullTableName}`);
1318
+ }
1319
+ }
1320
+ }
1321
+ } catch (error) {
1322
+ throw new MastraError(
1323
+ {
1324
+ id: "MASTRA_STORAGE_MSSQL_STORE_ALTER_TABLE_FAILED",
1325
+ domain: ErrorDomain.STORAGE,
1326
+ category: ErrorCategory.THIRD_PARTY,
1327
+ details: {
1328
+ tableName
1329
+ }
1330
+ },
1331
+ error
1332
+ );
1333
+ }
1334
+ }
1335
+ async load({ tableName, keys }) {
1336
+ try {
1337
+ const keyEntries = Object.entries(keys).map(([key, value]) => [parseSqlIdentifier(key, "column name"), value]);
1338
+ const conditions = keyEntries.map(([key], i) => `[${key}] = @param${i}`).join(" AND ");
1339
+ const values = keyEntries.map(([_, value]) => value);
1340
+ const sql7 = `SELECT * FROM ${getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) })} WHERE ${conditions}`;
1341
+ const request = this.pool.request();
1342
+ values.forEach((value, i) => {
1343
+ request.input(`param${i}`, value);
1344
+ });
1345
+ const resultSet = await request.query(sql7);
1346
+ const result = resultSet.recordset[0] || null;
1347
+ if (!result) {
1348
+ return null;
1349
+ }
1350
+ if (tableName === TABLE_WORKFLOW_SNAPSHOT) {
1351
+ const snapshot = result;
1352
+ if (typeof snapshot.snapshot === "string") {
1353
+ snapshot.snapshot = JSON.parse(snapshot.snapshot);
1354
+ }
1355
+ return snapshot;
1356
+ }
1357
+ return result;
1358
+ } catch (error) {
1359
+ throw new MastraError(
1360
+ {
1361
+ id: "MASTRA_STORAGE_MSSQL_STORE_LOAD_FAILED",
1362
+ domain: ErrorDomain.STORAGE,
1363
+ category: ErrorCategory.THIRD_PARTY,
1364
+ details: {
1365
+ tableName
1366
+ }
1367
+ },
1368
+ error
1369
+ );
1370
+ }
1371
+ }
1372
+ async batchInsert({ tableName, records }) {
1373
+ const transaction = this.pool.transaction();
1374
+ try {
1375
+ await transaction.begin();
1376
+ for (const record of records) {
1377
+ await this.insert({ tableName, record });
1378
+ }
1379
+ await transaction.commit();
1380
+ } catch (error) {
1381
+ await transaction.rollback();
1382
+ throw new MastraError(
1383
+ {
1384
+ id: "MASTRA_STORAGE_MSSQL_STORE_BATCH_INSERT_FAILED",
1385
+ domain: ErrorDomain.STORAGE,
1386
+ category: ErrorCategory.THIRD_PARTY,
1387
+ details: {
1388
+ tableName,
1389
+ numberOfRecords: records.length
1390
+ }
1391
+ },
1392
+ error
1393
+ );
1394
+ }
1395
+ }
1396
+ async dropTable({ tableName }) {
1397
+ try {
1398
+ const tableNameWithSchema = getTableName({ indexName: tableName, schemaName: getSchemaName(this.schemaName) });
1399
+ await this.pool.request().query(`DROP TABLE IF EXISTS ${tableNameWithSchema}`);
1400
+ } catch (error) {
1401
+ throw new MastraError(
1402
+ {
1403
+ id: "MASTRA_STORAGE_MSSQL_STORE_DROP_TABLE_FAILED",
1404
+ domain: ErrorDomain.STORAGE,
1405
+ category: ErrorCategory.THIRD_PARTY,
1406
+ details: {
1407
+ tableName
1408
+ }
1409
+ },
1410
+ error
1411
+ );
1412
+ }
1413
+ }
1414
+ };
1415
+ function parseJSON(jsonString) {
1416
+ try {
1417
+ return JSON.parse(jsonString);
1418
+ } catch {
1419
+ return jsonString;
1420
+ }
1421
+ }
1422
+ function transformScoreRow(row) {
1423
+ return {
1424
+ ...row,
1425
+ input: parseJSON(row.input),
1426
+ scorer: parseJSON(row.scorer),
1427
+ preprocessStepResult: parseJSON(row.preprocessStepResult),
1428
+ analyzeStepResult: parseJSON(row.analyzeStepResult),
1429
+ metadata: parseJSON(row.metadata),
1430
+ output: parseJSON(row.output),
1431
+ additionalContext: parseJSON(row.additionalContext),
1432
+ runtimeContext: parseJSON(row.runtimeContext),
1433
+ entity: parseJSON(row.entity),
1434
+ createdAt: row.createdAt,
1435
+ updatedAt: row.updatedAt
1436
+ };
1437
+ }
1438
+ var ScoresMSSQL = class extends ScoresStorage {
1439
+ pool;
1440
+ operations;
1441
+ schema;
1442
+ constructor({
1443
+ pool,
1444
+ operations,
1445
+ schema
1446
+ }) {
1447
+ super();
1448
+ this.pool = pool;
1449
+ this.operations = operations;
1450
+ this.schema = schema;
1451
+ }
1452
+ async getScoreById({ id }) {
1453
+ try {
1454
+ const request = this.pool.request();
1455
+ request.input("p1", id);
1456
+ const result = await request.query(
1457
+ `SELECT * FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE id = @p1`
1458
+ );
1459
+ if (result.recordset.length === 0) {
1460
+ return null;
1461
+ }
1462
+ return transformScoreRow(result.recordset[0]);
1463
+ } catch (error) {
1464
+ throw new MastraError(
1465
+ {
1466
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_SCORE_BY_ID_FAILED",
1467
+ domain: ErrorDomain.STORAGE,
1468
+ category: ErrorCategory.THIRD_PARTY,
1469
+ details: { id }
1470
+ },
1471
+ error
1472
+ );
1473
+ }
1474
+ }
1475
+ async saveScore(score) {
1476
+ try {
1477
+ const scoreId = crypto.randomUUID();
1478
+ const {
1479
+ scorer,
1480
+ preprocessStepResult,
1481
+ analyzeStepResult,
1482
+ metadata,
1483
+ input,
1484
+ output,
1485
+ additionalContext,
1486
+ runtimeContext,
1487
+ entity,
1488
+ ...rest
1489
+ } = score;
1490
+ await this.operations.insert({
1491
+ tableName: TABLE_SCORERS,
1492
+ record: {
1493
+ id: scoreId,
1494
+ ...rest,
1495
+ input: JSON.stringify(input) || "",
1496
+ output: JSON.stringify(output) || "",
1497
+ preprocessStepResult: preprocessStepResult ? JSON.stringify(preprocessStepResult) : null,
1498
+ analyzeStepResult: analyzeStepResult ? JSON.stringify(analyzeStepResult) : null,
1499
+ metadata: metadata ? JSON.stringify(metadata) : null,
1500
+ additionalContext: additionalContext ? JSON.stringify(additionalContext) : null,
1501
+ runtimeContext: runtimeContext ? JSON.stringify(runtimeContext) : null,
1502
+ entity: entity ? JSON.stringify(entity) : null,
1503
+ scorer: scorer ? JSON.stringify(scorer) : null,
1504
+ createdAt: (/* @__PURE__ */ new Date()).toISOString(),
1505
+ updatedAt: (/* @__PURE__ */ new Date()).toISOString()
1506
+ }
1507
+ });
1508
+ const scoreFromDb = await this.getScoreById({ id: scoreId });
1509
+ return { score: scoreFromDb };
1510
+ } catch (error) {
1511
+ throw new MastraError(
1512
+ {
1513
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_SCORE_FAILED",
1514
+ domain: ErrorDomain.STORAGE,
1515
+ category: ErrorCategory.THIRD_PARTY
1516
+ },
1517
+ error
1518
+ );
1519
+ }
1520
+ }
1521
+ async getScoresByScorerId({
1522
+ scorerId,
1523
+ pagination
1524
+ }) {
1525
+ try {
1526
+ const request = this.pool.request();
1527
+ request.input("p1", scorerId);
1528
+ const totalResult = await request.query(
1529
+ `SELECT COUNT(*) as count FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [scorerId] = @p1`
1530
+ );
1531
+ const total = totalResult.recordset[0]?.count || 0;
1532
+ if (total === 0) {
1533
+ return {
1534
+ pagination: {
1535
+ total: 0,
1536
+ page: pagination.page,
1537
+ perPage: pagination.perPage,
1538
+ hasMore: false
1539
+ },
1540
+ scores: []
1541
+ };
1542
+ }
1543
+ const dataRequest = this.pool.request();
1544
+ dataRequest.input("p1", scorerId);
1545
+ dataRequest.input("p2", pagination.perPage);
1546
+ dataRequest.input("p3", pagination.page * pagination.perPage);
1547
+ const result = await dataRequest.query(
1548
+ `SELECT * FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [scorerId] = @p1 ORDER BY [createdAt] DESC OFFSET @p3 ROWS FETCH NEXT @p2 ROWS ONLY`
1549
+ );
1550
+ return {
1551
+ pagination: {
1552
+ total: Number(total),
1553
+ page: pagination.page,
1554
+ perPage: pagination.perPage,
1555
+ hasMore: Number(total) > (pagination.page + 1) * pagination.perPage
1556
+ },
1557
+ scores: result.recordset.map((row) => transformScoreRow(row))
1558
+ };
1559
+ } catch (error) {
1560
+ throw new MastraError(
1561
+ {
1562
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_SCORES_BY_SCORER_ID_FAILED",
1563
+ domain: ErrorDomain.STORAGE,
1564
+ category: ErrorCategory.THIRD_PARTY,
1565
+ details: { scorerId }
1566
+ },
1567
+ error
1568
+ );
1569
+ }
1570
+ }
1571
+ async getScoresByRunId({
1572
+ runId,
1573
+ pagination
1574
+ }) {
1575
+ try {
1576
+ const request = this.pool.request();
1577
+ request.input("p1", runId);
1578
+ const totalResult = await request.query(
1579
+ `SELECT COUNT(*) as count FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [runId] = @p1`
1580
+ );
1581
+ const total = totalResult.recordset[0]?.count || 0;
1582
+ if (total === 0) {
1583
+ return {
1584
+ pagination: {
1585
+ total: 0,
1586
+ page: pagination.page,
1587
+ perPage: pagination.perPage,
1588
+ hasMore: false
1589
+ },
1590
+ scores: []
1591
+ };
1592
+ }
1593
+ const dataRequest = this.pool.request();
1594
+ dataRequest.input("p1", runId);
1595
+ dataRequest.input("p2", pagination.perPage);
1596
+ dataRequest.input("p3", pagination.page * pagination.perPage);
1597
+ const result = await dataRequest.query(
1598
+ `SELECT * FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [runId] = @p1 ORDER BY [createdAt] DESC OFFSET @p3 ROWS FETCH NEXT @p2 ROWS ONLY`
1599
+ );
1600
+ return {
1601
+ pagination: {
1602
+ total: Number(total),
1603
+ page: pagination.page,
1604
+ perPage: pagination.perPage,
1605
+ hasMore: Number(total) > (pagination.page + 1) * pagination.perPage
1606
+ },
1607
+ scores: result.recordset.map((row) => transformScoreRow(row))
1608
+ };
1609
+ } catch (error) {
1610
+ throw new MastraError(
1611
+ {
1612
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_SCORES_BY_RUN_ID_FAILED",
1613
+ domain: ErrorDomain.STORAGE,
1614
+ category: ErrorCategory.THIRD_PARTY,
1615
+ details: { runId }
1616
+ },
1617
+ error
1618
+ );
1619
+ }
1620
+ }
1621
+ async getScoresByEntityId({
1622
+ entityId,
1623
+ entityType,
1624
+ pagination
1625
+ }) {
1626
+ try {
1627
+ const request = this.pool.request();
1628
+ request.input("p1", entityId);
1629
+ request.input("p2", entityType);
1630
+ const totalResult = await request.query(
1631
+ `SELECT COUNT(*) as count FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [entityId] = @p1 AND [entityType] = @p2`
1632
+ );
1633
+ const total = totalResult.recordset[0]?.count || 0;
1634
+ if (total === 0) {
1635
+ return {
1636
+ pagination: {
1637
+ total: 0,
1638
+ page: pagination.page,
1639
+ perPage: pagination.perPage,
1640
+ hasMore: false
1641
+ },
1642
+ scores: []
1643
+ };
1644
+ }
1645
+ const dataRequest = this.pool.request();
1646
+ dataRequest.input("p1", entityId);
1647
+ dataRequest.input("p2", entityType);
1648
+ dataRequest.input("p3", pagination.perPage);
1649
+ dataRequest.input("p4", pagination.page * pagination.perPage);
1650
+ const result = await dataRequest.query(
1651
+ `SELECT * FROM ${getTableName({ indexName: TABLE_SCORERS, schemaName: getSchemaName(this.schema) })} WHERE [entityId] = @p1 AND [entityType] = @p2 ORDER BY [createdAt] DESC OFFSET @p4 ROWS FETCH NEXT @p3 ROWS ONLY`
1652
+ );
1653
+ return {
1654
+ pagination: {
1655
+ total: Number(total),
1656
+ page: pagination.page,
1657
+ perPage: pagination.perPage,
1658
+ hasMore: Number(total) > (pagination.page + 1) * pagination.perPage
1659
+ },
1660
+ scores: result.recordset.map((row) => transformScoreRow(row))
1661
+ };
1662
+ } catch (error) {
1663
+ throw new MastraError(
1664
+ {
1665
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_SCORES_BY_ENTITY_ID_FAILED",
1666
+ domain: ErrorDomain.STORAGE,
1667
+ category: ErrorCategory.THIRD_PARTY,
1668
+ details: { entityId, entityType }
1669
+ },
1670
+ error
1671
+ );
1672
+ }
1673
+ }
1674
+ };
1675
+ var TracesMSSQL = class extends TracesStorage {
1676
+ pool;
1677
+ operations;
1678
+ schema;
1679
+ constructor({
1680
+ pool,
1681
+ operations,
1682
+ schema
1683
+ }) {
1684
+ super();
1685
+ this.pool = pool;
1686
+ this.operations = operations;
1687
+ this.schema = schema;
1688
+ }
1689
+ /** @deprecated use getTracesPaginated instead*/
1690
+ async getTraces(args) {
1691
+ if (args.fromDate || args.toDate) {
1692
+ args.dateRange = {
1693
+ start: args.fromDate,
1694
+ end: args.toDate
1695
+ };
1696
+ }
1697
+ const result = await this.getTracesPaginated(args);
1698
+ return result.traces;
1699
+ }
1700
+ async getTracesPaginated(args) {
1701
+ const { name, scope, page = 0, perPage: perPageInput, attributes, filters, dateRange } = args;
1702
+ const fromDate = dateRange?.start;
1703
+ const toDate = dateRange?.end;
1704
+ const perPage = perPageInput !== void 0 ? perPageInput : 100;
1705
+ const currentOffset = page * perPage;
1706
+ const paramMap = {};
1707
+ const conditions = [];
1708
+ let paramIndex = 1;
1709
+ if (name) {
1710
+ const paramName = `p${paramIndex++}`;
1711
+ conditions.push(`[name] LIKE @${paramName}`);
1712
+ paramMap[paramName] = `${name}%`;
1713
+ }
1714
+ if (scope) {
1715
+ const paramName = `p${paramIndex++}`;
1716
+ conditions.push(`[scope] = @${paramName}`);
1717
+ paramMap[paramName] = scope;
1718
+ }
1719
+ if (attributes) {
1720
+ Object.entries(attributes).forEach(([key, value]) => {
1721
+ const parsedKey = parseFieldKey(key);
1722
+ const paramName = `p${paramIndex++}`;
1723
+ conditions.push(`JSON_VALUE([attributes], '$.${parsedKey}') = @${paramName}`);
1724
+ paramMap[paramName] = value;
1725
+ });
1726
+ }
1727
+ if (filters) {
1728
+ Object.entries(filters).forEach(([key, value]) => {
1729
+ const parsedKey = parseFieldKey(key);
1730
+ const paramName = `p${paramIndex++}`;
1731
+ conditions.push(`[${parsedKey}] = @${paramName}`);
1732
+ paramMap[paramName] = value;
1733
+ });
1734
+ }
1735
+ if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
1736
+ const paramName = `p${paramIndex++}`;
1737
+ conditions.push(`[createdAt] >= @${paramName}`);
1738
+ paramMap[paramName] = fromDate.toISOString();
1739
+ }
1740
+ if (toDate instanceof Date && !isNaN(toDate.getTime())) {
1741
+ const paramName = `p${paramIndex++}`;
1742
+ conditions.push(`[createdAt] <= @${paramName}`);
1743
+ paramMap[paramName] = toDate.toISOString();
1744
+ }
1745
+ const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
1746
+ const countQuery = `SELECT COUNT(*) as total FROM ${getTableName({ indexName: TABLE_TRACES, schemaName: getSchemaName(this.schema) })} ${whereClause}`;
1747
+ let total = 0;
1748
+ try {
1749
+ const countRequest = this.pool.request();
1750
+ Object.entries(paramMap).forEach(([key, value]) => {
1751
+ if (value instanceof Date) {
1752
+ countRequest.input(key, sql2.DateTime, value);
1753
+ } else {
1754
+ countRequest.input(key, value);
1755
+ }
1756
+ });
1757
+ const countResult = await countRequest.query(countQuery);
1758
+ total = parseInt(countResult.recordset[0].total, 10);
1759
+ } catch (error) {
1760
+ throw new MastraError(
1761
+ {
1762
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_TRACES_PAGINATED_FAILED_TO_RETRIEVE_TOTAL_COUNT",
1763
+ domain: ErrorDomain.STORAGE,
1764
+ category: ErrorCategory.THIRD_PARTY,
1765
+ details: {
1766
+ name: args.name ?? "",
1767
+ scope: args.scope ?? ""
1768
+ }
1769
+ },
1770
+ error
1771
+ );
1772
+ }
1773
+ if (total === 0) {
1774
+ return {
1775
+ traces: [],
1776
+ total: 0,
1777
+ page,
1778
+ perPage,
1779
+ hasMore: false
1780
+ };
1781
+ }
1782
+ const dataQuery = `SELECT * FROM ${getTableName({ indexName: TABLE_TRACES, schemaName: getSchemaName(this.schema) })} ${whereClause} ORDER BY [seq_id] DESC OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
1783
+ const dataRequest = this.pool.request();
1784
+ Object.entries(paramMap).forEach(([key, value]) => {
1785
+ if (value instanceof Date) {
1786
+ dataRequest.input(key, sql2.DateTime, value);
1787
+ } else {
1788
+ dataRequest.input(key, value);
1789
+ }
1790
+ });
1791
+ dataRequest.input("offset", currentOffset);
1792
+ dataRequest.input("limit", perPage);
1793
+ try {
1794
+ const rowsResult = await dataRequest.query(dataQuery);
1795
+ const rows = rowsResult.recordset;
1796
+ const traces = rows.map((row) => ({
1797
+ id: row.id,
1798
+ parentSpanId: row.parentSpanId,
1799
+ traceId: row.traceId,
1800
+ name: row.name,
1801
+ scope: row.scope,
1802
+ kind: row.kind,
1803
+ status: JSON.parse(row.status),
1804
+ events: JSON.parse(row.events),
1805
+ links: JSON.parse(row.links),
1806
+ attributes: JSON.parse(row.attributes),
1807
+ startTime: row.startTime,
1808
+ endTime: row.endTime,
1809
+ other: row.other,
1810
+ createdAt: row.createdAt
1811
+ }));
1812
+ return {
1813
+ traces,
1814
+ total,
1815
+ page,
1816
+ perPage,
1817
+ hasMore: currentOffset + traces.length < total
1818
+ };
1819
+ } catch (error) {
1820
+ throw new MastraError(
1821
+ {
1822
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_TRACES_PAGINATED_FAILED_TO_RETRIEVE_TRACES",
1823
+ domain: ErrorDomain.STORAGE,
1824
+ category: ErrorCategory.THIRD_PARTY,
1825
+ details: {
1826
+ name: args.name ?? "",
1827
+ scope: args.scope ?? ""
1828
+ }
1829
+ },
1830
+ error
1831
+ );
1832
+ }
1833
+ }
1834
+ async batchTraceInsert({ records }) {
1835
+ this.logger.debug("Batch inserting traces", { count: records.length });
1836
+ await this.operations.batchInsert({
1837
+ tableName: TABLE_TRACES,
1838
+ records
1839
+ });
1840
+ }
1841
+ };
1842
+ function parseWorkflowRun(row) {
1843
+ let parsedSnapshot = row.snapshot;
1844
+ if (typeof parsedSnapshot === "string") {
1845
+ try {
1846
+ parsedSnapshot = JSON.parse(row.snapshot);
1847
+ } catch (e) {
1848
+ console.warn(`Failed to parse snapshot for workflow ${row.workflow_name}: ${e}`);
1849
+ }
1850
+ }
1851
+ return {
1852
+ workflowName: row.workflow_name,
1853
+ runId: row.run_id,
1854
+ snapshot: parsedSnapshot,
1855
+ createdAt: row.createdAt,
1856
+ updatedAt: row.updatedAt,
1857
+ resourceId: row.resourceId
1858
+ };
1859
+ }
1860
+ var WorkflowsMSSQL = class extends WorkflowsStorage {
1861
+ pool;
1862
+ operations;
1863
+ schema;
1864
+ constructor({
1865
+ pool,
1866
+ operations,
1867
+ schema
1868
+ }) {
1869
+ super();
1870
+ this.pool = pool;
1871
+ this.operations = operations;
1872
+ this.schema = schema;
1873
+ }
1874
+ updateWorkflowResults({
1875
+ // workflowName,
1876
+ // runId,
1877
+ // stepId,
1878
+ // result,
1879
+ // runtimeContext,
1880
+ }) {
1881
+ throw new Error("Method not implemented.");
1882
+ }
1883
+ updateWorkflowState({
1884
+ // workflowName,
1885
+ // runId,
1886
+ // opts,
1887
+ }) {
1888
+ throw new Error("Method not implemented.");
1889
+ }
1890
+ async persistWorkflowSnapshot({
1891
+ workflowName,
1892
+ runId,
1893
+ resourceId,
1894
+ snapshot
1895
+ }) {
1896
+ const table = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
1897
+ const now = (/* @__PURE__ */ new Date()).toISOString();
1898
+ try {
1899
+ const request = this.pool.request();
1900
+ request.input("workflow_name", workflowName);
1901
+ request.input("run_id", runId);
1902
+ request.input("resourceId", resourceId);
1903
+ request.input("snapshot", JSON.stringify(snapshot));
1904
+ request.input("createdAt", sql2.DateTime2, new Date(now));
1905
+ request.input("updatedAt", sql2.DateTime2, new Date(now));
1906
+ const mergeSql = `MERGE INTO ${table} AS target
1907
+ USING (SELECT @workflow_name AS workflow_name, @run_id AS run_id) AS src
1908
+ ON target.workflow_name = src.workflow_name AND target.run_id = src.run_id
1909
+ WHEN MATCHED THEN UPDATE SET
1910
+ resourceId = @resourceId,
1911
+ snapshot = @snapshot,
1912
+ [updatedAt] = @updatedAt
1913
+ WHEN NOT MATCHED THEN INSERT (workflow_name, run_id, resourceId, snapshot, [createdAt], [updatedAt])
1914
+ VALUES (@workflow_name, @run_id, @resourceId, @snapshot, @createdAt, @updatedAt);`;
1915
+ await request.query(mergeSql);
1916
+ } catch (error) {
1917
+ throw new MastraError(
1918
+ {
1919
+ id: "MASTRA_STORAGE_MSSQL_STORE_PERSIST_WORKFLOW_SNAPSHOT_FAILED",
1920
+ domain: ErrorDomain.STORAGE,
1921
+ category: ErrorCategory.THIRD_PARTY,
1922
+ details: {
1923
+ workflowName,
1924
+ runId
1925
+ }
1926
+ },
1927
+ error
1928
+ );
1929
+ }
1930
+ }
1931
+ async loadWorkflowSnapshot({
1932
+ workflowName,
1933
+ runId
1934
+ }) {
1935
+ try {
1936
+ const result = await this.operations.load({
1937
+ tableName: TABLE_WORKFLOW_SNAPSHOT,
1938
+ keys: {
1939
+ workflow_name: workflowName,
1940
+ run_id: runId
1941
+ }
1942
+ });
1943
+ if (!result) {
1944
+ return null;
1945
+ }
1946
+ return result.snapshot;
1947
+ } catch (error) {
1948
+ throw new MastraError(
1949
+ {
1950
+ id: "MASTRA_STORAGE_MSSQL_STORE_LOAD_WORKFLOW_SNAPSHOT_FAILED",
1951
+ domain: ErrorDomain.STORAGE,
1952
+ category: ErrorCategory.THIRD_PARTY,
1953
+ details: {
1954
+ workflowName,
1955
+ runId
1956
+ }
1957
+ },
1958
+ error
1959
+ );
1960
+ }
1961
+ }
1962
+ async getWorkflowRunById({
1963
+ runId,
1964
+ workflowName
1965
+ }) {
1966
+ try {
1967
+ const conditions = [];
1968
+ const paramMap = {};
1969
+ if (runId) {
1970
+ conditions.push(`[run_id] = @runId`);
1971
+ paramMap["runId"] = runId;
1972
+ }
1973
+ if (workflowName) {
1974
+ conditions.push(`[workflow_name] = @workflowName`);
1975
+ paramMap["workflowName"] = workflowName;
1976
+ }
1977
+ const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
1978
+ const tableName = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
1979
+ const query = `SELECT * FROM ${tableName} ${whereClause}`;
1980
+ const request = this.pool.request();
1981
+ Object.entries(paramMap).forEach(([key, value]) => request.input(key, value));
1982
+ const result = await request.query(query);
1983
+ if (!result.recordset || result.recordset.length === 0) {
1984
+ return null;
1985
+ }
1986
+ return parseWorkflowRun(result.recordset[0]);
1987
+ } catch (error) {
1988
+ throw new MastraError(
1989
+ {
1990
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUN_BY_ID_FAILED",
1991
+ domain: ErrorDomain.STORAGE,
1992
+ category: ErrorCategory.THIRD_PARTY,
1993
+ details: {
1994
+ runId,
1995
+ workflowName: workflowName || ""
1996
+ }
1997
+ },
1998
+ error
1999
+ );
2000
+ }
2001
+ }
2002
+ async getWorkflowRuns({
2003
+ workflowName,
2004
+ fromDate,
2005
+ toDate,
2006
+ limit,
2007
+ offset,
2008
+ resourceId
2009
+ } = {}) {
2010
+ try {
2011
+ const conditions = [];
2012
+ const paramMap = {};
2013
+ if (workflowName) {
2014
+ conditions.push(`[workflow_name] = @workflowName`);
2015
+ paramMap["workflowName"] = workflowName;
2016
+ }
2017
+ if (resourceId) {
2018
+ const hasResourceId = await this.operations.hasColumn(TABLE_WORKFLOW_SNAPSHOT, "resourceId");
2019
+ if (hasResourceId) {
2020
+ conditions.push(`[resourceId] = @resourceId`);
2021
+ paramMap["resourceId"] = resourceId;
2022
+ } else {
2023
+ console.warn(`[${TABLE_WORKFLOW_SNAPSHOT}] resourceId column not found. Skipping resourceId filter.`);
2024
+ }
2025
+ }
2026
+ if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
2027
+ conditions.push(`[createdAt] >= @fromDate`);
2028
+ paramMap[`fromDate`] = fromDate.toISOString();
2029
+ }
2030
+ if (toDate instanceof Date && !isNaN(toDate.getTime())) {
2031
+ conditions.push(`[createdAt] <= @toDate`);
2032
+ paramMap[`toDate`] = toDate.toISOString();
2033
+ }
2034
+ const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
2035
+ let total = 0;
2036
+ const tableName = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
2037
+ const request = this.pool.request();
2038
+ Object.entries(paramMap).forEach(([key, value]) => {
2039
+ if (value instanceof Date) {
2040
+ request.input(key, sql2.DateTime, value);
2041
+ } else {
2042
+ request.input(key, value);
2043
+ }
2044
+ });
2045
+ if (limit !== void 0 && offset !== void 0) {
2046
+ const countQuery = `SELECT COUNT(*) as count FROM ${tableName} ${whereClause}`;
2047
+ const countResult = await request.query(countQuery);
2048
+ total = Number(countResult.recordset[0]?.count || 0);
2049
+ }
2050
+ let query = `SELECT * FROM ${tableName} ${whereClause} ORDER BY [seq_id] DESC`;
2051
+ if (limit !== void 0 && offset !== void 0) {
2052
+ query += ` OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
2053
+ request.input("limit", limit);
2054
+ request.input("offset", offset);
2055
+ }
2056
+ const result = await request.query(query);
2057
+ const runs = (result.recordset || []).map((row) => parseWorkflowRun(row));
2058
+ return { runs, total: total || runs.length };
2059
+ } catch (error) {
2060
+ throw new MastraError(
2061
+ {
2062
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUNS_FAILED",
2063
+ domain: ErrorDomain.STORAGE,
2064
+ category: ErrorCategory.THIRD_PARTY,
2065
+ details: {
2066
+ workflowName: workflowName || "all"
2067
+ }
2068
+ },
2069
+ error
2070
+ );
2071
+ }
2072
+ }
2073
+ };
2074
+
2075
+ // src/storage/index.ts
2076
+ var MSSQLStore = class extends MastraStorage {
2077
+ pool;
2078
+ schema;
2079
+ isConnected = null;
2080
+ stores;
2081
+ constructor(config) {
2082
+ super({ name: "MSSQLStore" });
2083
+ try {
2084
+ if ("connectionString" in config) {
2085
+ if (!config.connectionString || typeof config.connectionString !== "string" || config.connectionString.trim() === "") {
2086
+ throw new Error("MSSQLStore: connectionString must be provided and cannot be empty.");
2087
+ }
2088
+ } else {
2089
+ const required = ["server", "database", "user", "password"];
2090
+ for (const key of required) {
2091
+ if (!(key in config) || typeof config[key] !== "string" || config[key].trim() === "") {
2092
+ throw new Error(`MSSQLStore: ${key} must be provided and cannot be empty.`);
2093
+ }
2094
+ }
2095
+ }
2096
+ this.schema = config.schemaName || "dbo";
2097
+ this.pool = "connectionString" in config ? new sql2.ConnectionPool(config.connectionString) : new sql2.ConnectionPool({
2098
+ server: config.server,
2099
+ database: config.database,
2100
+ user: config.user,
2101
+ password: config.password,
2102
+ port: config.port,
2103
+ options: config.options || { encrypt: true, trustServerCertificate: true }
2104
+ });
2105
+ const legacyEvals = new LegacyEvalsMSSQL({ pool: this.pool, schema: this.schema });
2106
+ const operations = new StoreOperationsMSSQL({ pool: this.pool, schemaName: this.schema });
2107
+ const scores = new ScoresMSSQL({ pool: this.pool, operations, schema: this.schema });
2108
+ const traces = new TracesMSSQL({ pool: this.pool, operations, schema: this.schema });
2109
+ const workflows = new WorkflowsMSSQL({ pool: this.pool, operations, schema: this.schema });
2110
+ const memory = new MemoryMSSQL({ pool: this.pool, schema: this.schema, operations });
2111
+ this.stores = {
2112
+ operations,
2113
+ scores,
2114
+ traces,
2115
+ workflows,
2116
+ legacyEvals,
2117
+ memory
2118
+ };
2119
+ } catch (e) {
2120
+ throw new MastraError(
2121
+ {
2122
+ id: "MASTRA_STORAGE_MSSQL_STORE_INITIALIZATION_FAILED",
2123
+ domain: ErrorDomain.STORAGE,
2124
+ category: ErrorCategory.USER
2125
+ },
2126
+ e
2127
+ );
2128
+ }
2129
+ }
2130
+ async init() {
2131
+ if (this.isConnected === null) {
2132
+ this.isConnected = this._performInitializationAndStore();
2133
+ }
2134
+ try {
2135
+ await this.isConnected;
2136
+ await super.init();
2137
+ } catch (error) {
2138
+ this.isConnected = null;
2139
+ throw new MastraError(
2140
+ {
2141
+ id: "MASTRA_STORAGE_MSSQL_STORE_INIT_FAILED",
2142
+ domain: ErrorDomain.STORAGE,
2143
+ category: ErrorCategory.THIRD_PARTY
2144
+ },
2145
+ error
2146
+ );
2147
+ }
2148
+ }
2149
+ async _performInitializationAndStore() {
2150
+ try {
2151
+ await this.pool.connect();
2152
+ return true;
2153
+ } catch (err) {
2154
+ throw err;
2155
+ }
2156
+ }
2157
+ get supports() {
2158
+ return {
2159
+ selectByIncludeResourceScope: true,
2160
+ resourceWorkingMemory: true,
2161
+ hasColumn: true,
2162
+ createTable: true,
2163
+ deleteMessages: true
2164
+ };
2165
+ }
2166
+ /** @deprecated use getEvals instead */
2167
+ async getEvalsByAgentName(agentName, type) {
2168
+ return this.stores.legacyEvals.getEvalsByAgentName(agentName, type);
2169
+ }
2170
+ async getEvals(options = {}) {
2171
+ return this.stores.legacyEvals.getEvals(options);
2172
+ }
2173
+ /**
2174
+ * @deprecated use getTracesPaginated instead
2175
+ */
2176
+ async getTraces(args) {
2177
+ return this.stores.traces.getTraces(args);
2178
+ }
2179
+ async getTracesPaginated(args) {
2180
+ return this.stores.traces.getTracesPaginated(args);
2181
+ }
2182
+ async batchTraceInsert({ records }) {
2183
+ return this.stores.traces.batchTraceInsert({ records });
2184
+ }
2185
+ async createTable({
2186
+ tableName,
2187
+ schema
2188
+ }) {
2189
+ return this.stores.operations.createTable({ tableName, schema });
2190
+ }
2191
+ async alterTable({
2192
+ tableName,
2193
+ schema,
2194
+ ifNotExists
2195
+ }) {
2196
+ return this.stores.operations.alterTable({ tableName, schema, ifNotExists });
2197
+ }
2198
+ async clearTable({ tableName }) {
2199
+ return this.stores.operations.clearTable({ tableName });
2200
+ }
2201
+ async dropTable({ tableName }) {
2202
+ return this.stores.operations.dropTable({ tableName });
2203
+ }
2204
+ async insert({ tableName, record }) {
2205
+ return this.stores.operations.insert({ tableName, record });
2206
+ }
2207
+ async batchInsert({ tableName, records }) {
2208
+ return this.stores.operations.batchInsert({ tableName, records });
2209
+ }
2210
+ async load({ tableName, keys }) {
2211
+ return this.stores.operations.load({ tableName, keys });
2212
+ }
2213
+ /**
2214
+ * Memory
2215
+ */
2216
+ async getThreadById({ threadId }) {
2217
+ return this.stores.memory.getThreadById({ threadId });
2218
+ }
2219
+ /**
2220
+ * @deprecated use getThreadsByResourceIdPaginated instead
2221
+ */
2222
+ async getThreadsByResourceId(args) {
2223
+ return this.stores.memory.getThreadsByResourceId(args);
2224
+ }
2225
+ async getThreadsByResourceIdPaginated(args) {
2226
+ return this.stores.memory.getThreadsByResourceIdPaginated(args);
2227
+ }
2228
+ async saveThread({ thread }) {
2229
+ return this.stores.memory.saveThread({ thread });
2230
+ }
2231
+ async updateThread({
2232
+ id,
2233
+ title,
2234
+ metadata
2235
+ }) {
2236
+ return this.stores.memory.updateThread({ id, title, metadata });
2237
+ }
2238
+ async deleteThread({ threadId }) {
2239
+ return this.stores.memory.deleteThread({ threadId });
2240
+ }
2241
+ async getMessages(args) {
2242
+ return this.stores.memory.getMessages(args);
2243
+ }
2244
+ async getMessagesById({
2245
+ messageIds,
2246
+ format
2247
+ }) {
2248
+ return this.stores.memory.getMessagesById({ messageIds, format });
2249
+ }
2250
+ async getMessagesPaginated(args) {
2251
+ return this.stores.memory.getMessagesPaginated(args);
2252
+ }
2253
+ async saveMessages(args) {
2254
+ return this.stores.memory.saveMessages(args);
2255
+ }
2256
+ async updateMessages({
2257
+ messages
2258
+ }) {
2259
+ return this.stores.memory.updateMessages({ messages });
2260
+ }
2261
+ async deleteMessages(messageIds) {
2262
+ return this.stores.memory.deleteMessages(messageIds);
2263
+ }
2264
+ async getResourceById({ resourceId }) {
2265
+ return this.stores.memory.getResourceById({ resourceId });
2266
+ }
2267
+ async saveResource({ resource }) {
2268
+ return this.stores.memory.saveResource({ resource });
2269
+ }
2270
+ async updateResource({
2271
+ resourceId,
2272
+ workingMemory,
2273
+ metadata
2274
+ }) {
2275
+ return this.stores.memory.updateResource({ resourceId, workingMemory, metadata });
2276
+ }
2277
+ /**
2278
+ * Workflows
2279
+ */
2280
+ async updateWorkflowResults({
2281
+ workflowName,
2282
+ runId,
2283
+ stepId,
2284
+ result,
2285
+ runtimeContext
2286
+ }) {
2287
+ return this.stores.workflows.updateWorkflowResults({ workflowName, runId, stepId, result, runtimeContext });
2288
+ }
2289
+ async updateWorkflowState({
2290
+ workflowName,
2291
+ runId,
2292
+ opts
2293
+ }) {
2294
+ return this.stores.workflows.updateWorkflowState({ workflowName, runId, opts });
2295
+ }
2296
+ async persistWorkflowSnapshot({
2297
+ workflowName,
2298
+ runId,
2299
+ resourceId,
2300
+ snapshot
2301
+ }) {
2302
+ return this.stores.workflows.persistWorkflowSnapshot({ workflowName, runId, resourceId, snapshot });
2303
+ }
2304
+ async loadWorkflowSnapshot({
2305
+ workflowName,
2306
+ runId
2307
+ }) {
2308
+ return this.stores.workflows.loadWorkflowSnapshot({ workflowName, runId });
2309
+ }
2310
+ async getWorkflowRuns({
2311
+ workflowName,
2312
+ fromDate,
2313
+ toDate,
2314
+ limit,
2315
+ offset,
2316
+ resourceId
2317
+ } = {}) {
2318
+ return this.stores.workflows.getWorkflowRuns({ workflowName, fromDate, toDate, limit, offset, resourceId });
2319
+ }
2320
+ async getWorkflowRunById({
2321
+ runId,
2322
+ workflowName
2323
+ }) {
2324
+ return this.stores.workflows.getWorkflowRunById({ runId, workflowName });
2325
+ }
2326
+ async close() {
2327
+ await this.pool.close();
2328
+ }
2329
+ /**
2330
+ * Scorers
2331
+ */
2332
+ async getScoreById({ id: _id }) {
2333
+ return this.stores.scores.getScoreById({ id: _id });
2334
+ }
2335
+ async getScoresByScorerId({
2336
+ scorerId: _scorerId,
2337
+ pagination: _pagination
2338
+ }) {
2339
+ return this.stores.scores.getScoresByScorerId({ scorerId: _scorerId, pagination: _pagination });
2340
+ }
2341
+ async saveScore(_score) {
2342
+ return this.stores.scores.saveScore(_score);
2343
+ }
2344
+ async getScoresByRunId({
2345
+ runId: _runId,
2346
+ pagination: _pagination
2347
+ }) {
2348
+ return this.stores.scores.getScoresByRunId({ runId: _runId, pagination: _pagination });
2349
+ }
2350
+ async getScoresByEntityId({
2351
+ entityId: _entityId,
2352
+ entityType: _entityType,
2353
+ pagination: _pagination
2354
+ }) {
2355
+ return this.stores.scores.getScoresByEntityId({
2356
+ entityId: _entityId,
2357
+ entityType: _entityType,
2358
+ pagination: _pagination
1811
2359
  });
1812
2360
  }
1813
2361
  };