@mastra/mssql 0.0.0-add-libsql-changeset-20250910154739

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 ADDED
@@ -0,0 +1,2361 @@
1
+ import { MastraError, ErrorCategory, ErrorDomain } from '@mastra/core/error';
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
+ import { parseSqlIdentifier, parseFieldKey } from '@mastra/core/utils';
5
+ import { MessageList } from '@mastra/core/agent';
6
+
7
+ // src/storage/index.ts
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) {
22
+ try {
23
+ testInfoValue = typeof row.test_info === "string" ? JSON.parse(row.test_info) : row.test_info;
24
+ } catch {
25
+ }
26
+ }
27
+ if (row.test_info) {
28
+ try {
29
+ resultValue = typeof row.result === "string" ? JSON.parse(row.result) : row.result;
30
+ } catch {
31
+ }
32
+ }
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;
53
+ }
54
+ /** @deprecated use getEvals instead */
55
+ async getEvalsByAgentName(agentName, type) {
56
+ try {
57
+ let query = `SELECT * FROM ${getTableName({ indexName: TABLE_EVALS, schemaName: getSchemaName(this.schema) })} WHERE agent_name = @p1`;
58
+ if (type === "test") {
59
+ query += " AND test_info IS NOT NULL AND JSON_VALUE(test_info, '$.testPath') IS NOT NULL";
60
+ } else if (type === "live") {
61
+ query += " AND (test_info IS NULL OR JSON_VALUE(test_info, '$.testPath') IS NULL)";
62
+ }
63
+ query += " ORDER BY created_at DESC";
64
+ const request = this.pool.request();
65
+ request.input("p1", agentName);
66
+ const result = await request.query(query);
67
+ const rows = result.recordset;
68
+ return typeof transformEvalRow === "function" ? rows?.map((row) => transformEvalRow(row)) ?? [] : rows ?? [];
69
+ } catch (error) {
70
+ if (error && error.number === 208 && error.message && error.message.includes("Invalid object name")) {
71
+ return [];
72
+ }
73
+ console.error("Failed to get evals for the specified agent: " + error?.message);
74
+ throw error;
75
+ }
76
+ }
77
+ async getEvals(options = {}) {
78
+ const { agentName, type, page = 0, perPage = 100, dateRange } = options;
79
+ const fromDate = dateRange?.start;
80
+ const toDate = dateRange?.end;
81
+ const where = [];
82
+ const params = {};
83
+ if (agentName) {
84
+ where.push("agent_name = @agentName");
85
+ params["agentName"] = agentName;
86
+ }
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)");
91
+ }
92
+ if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
93
+ where.push(`[created_at] >= @fromDate`);
94
+ params[`fromDate`] = fromDate.toISOString();
95
+ }
96
+ if (toDate instanceof Date && !isNaN(toDate.getTime())) {
97
+ where.push(`[created_at] <= @toDate`);
98
+ params[`toDate`] = toDate.toISOString();
99
+ }
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`;
105
+ try {
106
+ const countReq = this.pool.request();
107
+ Object.entries(params).forEach(([key, value]) => {
108
+ if (value instanceof Date) {
109
+ countReq.input(key, sql2.DateTime, value);
110
+ } else {
111
+ countReq.input(key, value);
112
+ }
113
+ });
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
+ };
144
+ } catch (error) {
145
+ const mastraError = new MastraError(
146
+ {
147
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_EVALS_FAILED",
148
+ domain: ErrorDomain.STORAGE,
149
+ category: ErrorCategory.THIRD_PARTY,
150
+ details: {
151
+ agentName: agentName || "all",
152
+ type: type || "all",
153
+ page,
154
+ perPage
155
+ }
156
+ },
157
+ error
158
+ );
159
+ this.logger?.error?.(mastraError.toString());
160
+ this.logger?.trackException(mastraError);
161
+ throw mastraError;
162
+ }
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
+ }
177
+ }
178
+ return message;
179
+ });
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
+ }
212
+ return {
213
+ ...thread,
214
+ metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
215
+ createdAt: thread.createdAt,
216
+ updatedAt: thread.updatedAt
217
+ };
218
+ } catch (error) {
219
+ throw new MastraError(
220
+ {
221
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREAD_BY_ID_FAILED",
222
+ domain: ErrorDomain.STORAGE,
223
+ category: ErrorCategory.THIRD_PARTY,
224
+ details: {
225
+ threadId
226
+ }
227
+ },
228
+ error
229
+ );
230
+ }
231
+ }
232
+ async getThreadsByResourceIdPaginated(args) {
233
+ const { resourceId, page = 0, perPage: perPageInput, orderBy = "createdAt", sortDirection = "DESC" } = args;
234
+ try {
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
+ };
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
+ };
273
+ } catch (error) {
274
+ const mastraError = new MastraError(
275
+ {
276
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_THREADS_BY_RESOURCE_ID_PAGINATED_FAILED",
277
+ domain: ErrorDomain.STORAGE,
278
+ category: ErrorCategory.THIRD_PARTY,
279
+ details: {
280
+ resourceId,
281
+ page
282
+ }
283
+ },
284
+ error
285
+ );
286
+ this.logger?.error?.(mastraError.toString());
287
+ this.logger?.trackException?.(mastraError);
288
+ return { threads: [], total: 0, page, perPage: perPageInput || 100, hasMore: false };
289
+ }
290
+ }
291
+ async saveThread({ thread }) {
292
+ try {
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;
315
+ } catch (error) {
316
+ throw new MastraError(
317
+ {
318
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_THREAD_FAILED",
319
+ domain: ErrorDomain.STORAGE,
320
+ category: ErrorCategory.THIRD_PARTY,
321
+ details: {
322
+ threadId: thread.id
323
+ }
324
+ },
325
+ error
326
+ );
327
+ }
328
+ }
329
+ /**
330
+ * @deprecated use getThreadsByResourceIdPaginated instead
331
+ */
332
+ async getThreadsByResourceId(args) {
333
+ const { resourceId, orderBy = "createdAt", sortDirection = "DESC" } = args;
334
+ try {
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}`;
338
+ const request = this.pool.request();
339
+ request.input("resourceId", resourceId);
340
+ const resultSet = await request.query(dataQuery);
341
+ const rows = resultSet.recordset || [];
342
+ return rows.map((thread) => ({
343
+ ...thread,
344
+ metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
345
+ createdAt: thread.createdAt,
346
+ updatedAt: thread.updatedAt
347
+ }));
348
+ } catch (error) {
349
+ this.logger?.error?.(`Error getting threads for resource ${resourceId}:`, error);
350
+ return [];
351
+ }
352
+ }
353
+ /**
354
+ * Updates a thread's title and metadata, merging with existing metadata. Returns the updated thread.
355
+ */
356
+ async updateThread({
357
+ id,
358
+ title,
359
+ metadata
360
+ }) {
361
+ const existingThread = await this.getThreadById({ threadId: id });
362
+ if (!existingThread) {
363
+ throw new MastraError({
364
+ id: "MASTRA_STORAGE_MSSQL_STORE_UPDATE_THREAD_FAILED",
365
+ domain: ErrorDomain.STORAGE,
366
+ category: ErrorCategory.USER,
367
+ text: `Thread ${id} not found`,
368
+ details: {
369
+ threadId: id,
370
+ title
371
+ }
372
+ });
373
+ }
374
+ const mergedMetadata = {
375
+ ...existingThread.metadata,
376
+ ...metadata
377
+ };
378
+ try {
379
+ const table = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
380
+ const sql7 = `UPDATE ${table}
381
+ SET title = @title,
382
+ metadata = @metadata,
383
+ [updatedAt] = @updatedAt
384
+ OUTPUT INSERTED.*
385
+ WHERE id = @id`;
386
+ const req = this.pool.request();
387
+ req.input("id", id);
388
+ req.input("title", title);
389
+ req.input("metadata", JSON.stringify(mergedMetadata));
390
+ req.input("updatedAt", /* @__PURE__ */ new Date());
391
+ const result = await req.query(sql7);
392
+ let thread = result.recordset && result.recordset[0];
393
+ if (thread && "seq_id" in thread) {
394
+ const { seq_id, ...rest } = thread;
395
+ thread = rest;
396
+ }
397
+ if (!thread) {
398
+ throw new MastraError({
399
+ id: "MASTRA_STORAGE_MSSQL_STORE_UPDATE_THREAD_FAILED",
400
+ domain: ErrorDomain.STORAGE,
401
+ category: ErrorCategory.USER,
402
+ text: `Thread ${id} not found after update`,
403
+ details: {
404
+ threadId: id,
405
+ title
406
+ }
407
+ });
408
+ }
409
+ return {
410
+ ...thread,
411
+ metadata: typeof thread.metadata === "string" ? JSON.parse(thread.metadata) : thread.metadata,
412
+ createdAt: thread.createdAt,
413
+ updatedAt: thread.updatedAt
414
+ };
415
+ } catch (error) {
416
+ throw new MastraError(
417
+ {
418
+ id: "MASTRA_STORAGE_MSSQL_STORE_UPDATE_THREAD_FAILED",
419
+ domain: ErrorDomain.STORAGE,
420
+ category: ErrorCategory.THIRD_PARTY,
421
+ details: {
422
+ threadId: id,
423
+ title
424
+ }
425
+ },
426
+ error
427
+ );
428
+ }
429
+ }
430
+ async deleteThread({ threadId }) {
431
+ const messagesTable = getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) });
432
+ const threadsTable = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
433
+ const deleteMessagesSql = `DELETE FROM ${messagesTable} WHERE [thread_id] = @threadId`;
434
+ const deleteThreadSql = `DELETE FROM ${threadsTable} WHERE id = @threadId`;
435
+ const tx = this.pool.transaction();
436
+ try {
437
+ await tx.begin();
438
+ const req = tx.request();
439
+ req.input("threadId", threadId);
440
+ await req.query(deleteMessagesSql);
441
+ await req.query(deleteThreadSql);
442
+ await tx.commit();
443
+ } catch (error) {
444
+ await tx.rollback().catch(() => {
445
+ });
446
+ throw new MastraError(
447
+ {
448
+ id: "MASTRA_STORAGE_MSSQL_STORE_DELETE_THREAD_FAILED",
449
+ domain: ErrorDomain.STORAGE,
450
+ category: ErrorCategory.THIRD_PARTY,
451
+ details: {
452
+ threadId
453
+ }
454
+ },
455
+ error
456
+ );
457
+ }
458
+ }
459
+ async _getIncludedMessages({
460
+ threadId,
461
+ selectBy,
462
+ orderByStatement
463
+ }) {
464
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
465
+ const include = selectBy?.include;
466
+ if (!include) return null;
467
+ const unionQueries = [];
468
+ const paramValues = [];
469
+ let paramIdx = 1;
470
+ const paramNames = [];
471
+ for (const inc of include) {
472
+ const { id, withPreviousMessages = 0, withNextMessages = 0 } = inc;
473
+ const searchId = inc.threadId || threadId;
474
+ const pThreadId = `@p${paramIdx}`;
475
+ const pId = `@p${paramIdx + 1}`;
476
+ const pPrev = `@p${paramIdx + 2}`;
477
+ const pNext = `@p${paramIdx + 3}`;
478
+ unionQueries.push(
479
+ `
480
+ SELECT
481
+ m.id,
482
+ m.content,
483
+ m.role,
484
+ m.type,
485
+ m.[createdAt],
486
+ m.thread_id AS threadId,
487
+ m.[resourceId],
488
+ m.seq_id
489
+ FROM (
490
+ SELECT *, ROW_NUMBER() OVER (${orderByStatement}) as row_num
491
+ FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}
492
+ WHERE [thread_id] = ${pThreadId}
493
+ ) AS m
494
+ WHERE m.id = ${pId}
495
+ OR EXISTS (
496
+ SELECT 1
497
+ FROM (
498
+ SELECT *, ROW_NUMBER() OVER (${orderByStatement}) as row_num
499
+ FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}
500
+ WHERE [thread_id] = ${pThreadId}
501
+ ) AS target
502
+ WHERE target.id = ${pId}
503
+ AND (
504
+ (m.row_num <= target.row_num + ${pPrev} AND m.row_num > target.row_num)
505
+ OR
506
+ (m.row_num >= target.row_num - ${pNext} AND m.row_num < target.row_num)
507
+ )
508
+ )
509
+ `
510
+ );
511
+ paramValues.push(searchId, id, withPreviousMessages, withNextMessages);
512
+ paramNames.push(`p${paramIdx}`, `p${paramIdx + 1}`, `p${paramIdx + 2}`, `p${paramIdx + 3}`);
513
+ paramIdx += 4;
514
+ }
515
+ const finalQuery = `
516
+ SELECT * FROM (
517
+ ${unionQueries.join(" UNION ALL ")}
518
+ ) AS union_result
519
+ ORDER BY [seq_id] ASC
520
+ `;
521
+ const req = this.pool.request();
522
+ for (let i = 0; i < paramValues.length; ++i) {
523
+ req.input(paramNames[i], paramValues[i]);
524
+ }
525
+ const result = await req.query(finalQuery);
526
+ const includedRows = result.recordset || [];
527
+ const seen = /* @__PURE__ */ new Set();
528
+ const dedupedRows = includedRows.filter((row) => {
529
+ if (seen.has(row.id)) return false;
530
+ seen.add(row.id);
531
+ return true;
532
+ });
533
+ return dedupedRows;
534
+ }
535
+ async getMessages(args) {
536
+ const { threadId, resourceId, format, selectBy } = args;
537
+ const selectStatement = `SELECT seq_id, id, content, role, type, [createdAt], thread_id AS threadId, resourceId`;
538
+ const orderByStatement = `ORDER BY [seq_id] DESC`;
539
+ const limit = resolveMessageLimit({ last: selectBy?.last, defaultLimit: 40 });
540
+ try {
541
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
542
+ let rows = [];
543
+ const include = selectBy?.include || [];
544
+ if (include?.length) {
545
+ const includeMessages = await this._getIncludedMessages({ threadId, selectBy, orderByStatement });
546
+ if (includeMessages) {
547
+ rows.push(...includeMessages);
548
+ }
549
+ }
550
+ const excludeIds = rows.map((m) => m.id).filter(Boolean);
551
+ let query = `${selectStatement} FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} WHERE [thread_id] = @threadId`;
552
+ const request = this.pool.request();
553
+ request.input("threadId", threadId);
554
+ if (excludeIds.length > 0) {
555
+ const excludeParams = excludeIds.map((_, idx) => `@id${idx}`);
556
+ query += ` AND id NOT IN (${excludeParams.join(", ")})`;
557
+ excludeIds.forEach((id, idx) => {
558
+ request.input(`id${idx}`, id);
559
+ });
560
+ }
561
+ query += ` ${orderByStatement} OFFSET 0 ROWS FETCH NEXT @limit ROWS ONLY`;
562
+ request.input("limit", limit);
563
+ const result = await request.query(query);
564
+ const remainingRows = result.recordset || [];
565
+ rows.push(...remainingRows);
566
+ rows.sort((a, b) => {
567
+ const timeDiff = a.seq_id - b.seq_id;
568
+ return timeDiff;
569
+ });
570
+ rows = rows.map(({ seq_id, ...rest }) => rest);
571
+ return this._parseAndFormatMessages(rows, format);
572
+ } catch (error) {
573
+ const mastraError = new MastraError(
574
+ {
575
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_MESSAGES_FAILED",
576
+ domain: ErrorDomain.STORAGE,
577
+ category: ErrorCategory.THIRD_PARTY,
578
+ details: {
579
+ threadId,
580
+ resourceId: resourceId ?? ""
581
+ }
582
+ },
583
+ error
584
+ );
585
+ this.logger?.error?.(mastraError.toString());
586
+ this.logger?.trackException(mastraError);
587
+ return [];
588
+ }
589
+ }
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`;
596
+ const orderByStatement = `ORDER BY [seq_id] DESC`;
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 [];
628
+ }
629
+ }
630
+ async getMessagesPaginated(args) {
631
+ const { threadId, resourceId, format, selectBy } = args;
632
+ const { page = 0, perPage: perPageInput, dateRange } = selectBy?.pagination || {};
633
+ try {
634
+ if (!threadId.trim()) throw new Error("threadId must be a non-empty string");
635
+ const fromDate = dateRange?.start;
636
+ const toDate = dateRange?.end;
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);
643
+ }
644
+ const perPage = perPageInput !== void 0 ? perPageInput : resolveMessageLimit({ last: selectBy?.last, defaultLimit: 40 });
645
+ const currentOffset = page * perPage;
646
+ const conditions = ["[thread_id] = @threadId"];
647
+ const request = this.pool.request();
648
+ request.input("threadId", threadId);
649
+ if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
650
+ conditions.push("[createdAt] >= @fromDate");
651
+ request.input("fromDate", fromDate.toISOString());
652
+ }
653
+ if (toDate instanceof Date && !isNaN(toDate.getTime())) {
654
+ conditions.push("[createdAt] <= @toDate");
655
+ request.input("toDate", toDate.toISOString());
656
+ }
657
+ const whereClause = `WHERE ${conditions.join(" AND ")}`;
658
+ const countQuery = `SELECT COUNT(*) as total FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} ${whereClause}`;
659
+ const countResult = await request.query(countQuery);
660
+ const total = parseInt(countResult.recordset[0]?.total, 10) || 0;
661
+ if (total === 0 && messages.length > 0) {
662
+ const parsedIncluded = this._parseAndFormatMessages(messages, format);
663
+ return {
664
+ messages: parsedIncluded,
665
+ total: parsedIncluded.length,
666
+ page,
667
+ perPage,
668
+ hasMore: false
669
+ };
670
+ }
671
+ const excludeIds = messages.map((m) => m.id);
672
+ if (excludeIds.length > 0) {
673
+ const excludeParams = excludeIds.map((_, idx) => `@id${idx}`);
674
+ conditions.push(`id NOT IN (${excludeParams.join(", ")})`);
675
+ excludeIds.forEach((id, idx) => request.input(`id${idx}`, id));
676
+ }
677
+ const finalWhereClause = `WHERE ${conditions.join(" AND ")}`;
678
+ const dataQuery = `${selectStatement} FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} ${finalWhereClause} ${orderByStatement} OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
679
+ request.input("offset", currentOffset);
680
+ request.input("limit", perPage);
681
+ const rowsResult = await request.query(dataQuery);
682
+ const rows = rowsResult.recordset || [];
683
+ rows.sort((a, b) => a.seq_id - b.seq_id);
684
+ messages.push(...rows);
685
+ const parsed = this._parseAndFormatMessages(messages, format);
686
+ return {
687
+ messages: parsed,
688
+ total: total + excludeIds.length,
689
+ page,
690
+ perPage,
691
+ hasMore: currentOffset + rows.length < total
692
+ };
693
+ } catch (error) {
694
+ const mastraError = new MastraError(
695
+ {
696
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_MESSAGES_PAGINATED_FAILED",
697
+ domain: ErrorDomain.STORAGE,
698
+ category: ErrorCategory.THIRD_PARTY,
699
+ details: {
700
+ threadId,
701
+ resourceId: resourceId ?? "",
702
+ page
703
+ }
704
+ },
705
+ error
706
+ );
707
+ this.logger?.error?.(mastraError.toString());
708
+ this.logger?.trackException(mastraError);
709
+ return { messages: [], total: 0, page, perPage: perPageInput || 40, hasMore: false };
710
+ }
711
+ }
712
+ async saveMessages({
713
+ messages,
714
+ format
715
+ }) {
716
+ if (messages.length === 0) return messages;
717
+ const threadId = messages[0]?.threadId;
718
+ if (!threadId) {
719
+ throw new MastraError({
720
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_MESSAGES_FAILED",
721
+ domain: ErrorDomain.STORAGE,
722
+ category: ErrorCategory.THIRD_PARTY,
723
+ text: `Thread ID is required`
724
+ });
725
+ }
726
+ const thread = await this.getThreadById({ threadId });
727
+ if (!thread) {
728
+ throw new MastraError({
729
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_MESSAGES_FAILED",
730
+ domain: ErrorDomain.STORAGE,
731
+ category: ErrorCategory.THIRD_PARTY,
732
+ text: `Thread ${threadId} not found`,
733
+ details: { threadId }
734
+ });
735
+ }
736
+ const tableMessages = getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) });
737
+ const tableThreads = getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) });
738
+ try {
739
+ const transaction = this.pool.transaction();
740
+ await transaction.begin();
741
+ try {
742
+ for (const message of messages) {
743
+ if (!message.threadId) {
744
+ throw new Error(
745
+ `Expected to find a threadId for message, but couldn't find one. An unexpected error has occurred.`
746
+ );
747
+ }
748
+ if (!message.resourceId) {
749
+ throw new Error(
750
+ `Expected to find a resourceId for message, but couldn't find one. An unexpected error has occurred.`
751
+ );
752
+ }
753
+ const request = transaction.request();
754
+ request.input("id", message.id);
755
+ request.input("thread_id", message.threadId);
756
+ request.input(
757
+ "content",
758
+ typeof message.content === "string" ? message.content : JSON.stringify(message.content)
759
+ );
760
+ request.input("createdAt", sql2.DateTime2, message.createdAt);
761
+ request.input("role", message.role);
762
+ request.input("type", message.type || "v2");
763
+ request.input("resourceId", message.resourceId);
764
+ const mergeSql = `MERGE INTO ${tableMessages} AS target
765
+ USING (SELECT @id AS id) AS src
766
+ ON target.id = src.id
767
+ WHEN MATCHED THEN UPDATE SET
768
+ thread_id = @thread_id,
769
+ content = @content,
770
+ [createdAt] = @createdAt,
771
+ role = @role,
772
+ type = @type,
773
+ resourceId = @resourceId
774
+ WHEN NOT MATCHED THEN INSERT (id, thread_id, content, [createdAt], role, type, resourceId)
775
+ VALUES (@id, @thread_id, @content, @createdAt, @role, @type, @resourceId);`;
776
+ await request.query(mergeSql);
777
+ }
778
+ const threadReq = transaction.request();
779
+ threadReq.input("updatedAt", sql2.DateTime2, /* @__PURE__ */ new Date());
780
+ threadReq.input("id", threadId);
781
+ await threadReq.query(`UPDATE ${tableThreads} SET [updatedAt] = @updatedAt WHERE id = @id`);
782
+ await transaction.commit();
783
+ } catch (error) {
784
+ await transaction.rollback();
785
+ throw error;
786
+ }
787
+ const messagesWithParsedContent = messages.map((message) => {
788
+ if (typeof message.content === "string") {
789
+ try {
790
+ return { ...message, content: JSON.parse(message.content) };
791
+ } catch {
792
+ return message;
793
+ }
794
+ }
795
+ return message;
796
+ });
797
+ const list = new MessageList().add(messagesWithParsedContent, "memory");
798
+ if (format === "v2") return list.get.all.v2();
799
+ return list.get.all.v1();
800
+ } catch (error) {
801
+ throw new MastraError(
802
+ {
803
+ id: "MASTRA_STORAGE_MSSQL_STORE_SAVE_MESSAGES_FAILED",
804
+ domain: ErrorDomain.STORAGE,
805
+ category: ErrorCategory.THIRD_PARTY,
806
+ details: { threadId }
807
+ },
808
+ error
809
+ );
810
+ }
811
+ }
812
+ async updateMessages({
813
+ messages
814
+ }) {
815
+ if (!messages || messages.length === 0) {
816
+ return [];
817
+ }
818
+ const messageIds = messages.map((m) => m.id);
819
+ const idParams = messageIds.map((_, i) => `@id${i}`).join(", ");
820
+ let selectQuery = `SELECT id, content, role, type, createdAt, thread_id AS threadId, resourceId FROM ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })}`;
821
+ if (idParams.length > 0) {
822
+ selectQuery += ` WHERE id IN (${idParams})`;
823
+ } else {
824
+ return [];
825
+ }
826
+ const selectReq = this.pool.request();
827
+ messageIds.forEach((id, i) => selectReq.input(`id${i}`, id));
828
+ const existingMessagesDb = (await selectReq.query(selectQuery)).recordset;
829
+ if (!existingMessagesDb || existingMessagesDb.length === 0) {
830
+ return [];
831
+ }
832
+ const existingMessages = existingMessagesDb.map((msg) => {
833
+ if (typeof msg.content === "string") {
834
+ try {
835
+ msg.content = JSON.parse(msg.content);
836
+ } catch {
837
+ }
838
+ }
839
+ return msg;
840
+ });
841
+ const threadIdsToUpdate = /* @__PURE__ */ new Set();
842
+ const transaction = this.pool.transaction();
843
+ try {
844
+ await transaction.begin();
845
+ for (const existingMessage of existingMessages) {
846
+ const updatePayload = messages.find((m) => m.id === existingMessage.id);
847
+ if (!updatePayload) continue;
848
+ const { id, ...fieldsToUpdate } = updatePayload;
849
+ if (Object.keys(fieldsToUpdate).length === 0) continue;
850
+ threadIdsToUpdate.add(existingMessage.threadId);
851
+ if (updatePayload.threadId && updatePayload.threadId !== existingMessage.threadId) {
852
+ threadIdsToUpdate.add(updatePayload.threadId);
853
+ }
854
+ const setClauses = [];
855
+ const req = transaction.request();
856
+ req.input("id", id);
857
+ const columnMapping = { threadId: "thread_id" };
858
+ const updatableFields = { ...fieldsToUpdate };
859
+ if (updatableFields.content) {
860
+ const newContent = {
861
+ ...existingMessage.content,
862
+ ...updatableFields.content,
863
+ ...existingMessage.content?.metadata && updatableFields.content.metadata ? { metadata: { ...existingMessage.content.metadata, ...updatableFields.content.metadata } } : {}
864
+ };
865
+ setClauses.push(`content = @content`);
866
+ req.input("content", JSON.stringify(newContent));
867
+ delete updatableFields.content;
868
+ }
869
+ for (const key in updatableFields) {
870
+ if (Object.prototype.hasOwnProperty.call(updatableFields, key)) {
871
+ const dbColumn = columnMapping[key] || key;
872
+ setClauses.push(`[${dbColumn}] = @${dbColumn}`);
873
+ req.input(dbColumn, updatableFields[key]);
874
+ }
875
+ }
876
+ if (setClauses.length > 0) {
877
+ const updateSql = `UPDATE ${getTableName({ indexName: TABLE_MESSAGES, schemaName: getSchemaName(this.schema) })} SET ${setClauses.join(", ")} WHERE id = @id`;
878
+ await req.query(updateSql);
879
+ }
880
+ }
881
+ if (threadIdsToUpdate.size > 0) {
882
+ const threadIdParams = Array.from(threadIdsToUpdate).map((_, i) => `@tid${i}`).join(", ");
883
+ const threadReq = transaction.request();
884
+ Array.from(threadIdsToUpdate).forEach((tid, i) => threadReq.input(`tid${i}`, tid));
885
+ threadReq.input("updatedAt", (/* @__PURE__ */ new Date()).toISOString());
886
+ const threadSql = `UPDATE ${getTableName({ indexName: TABLE_THREADS, schemaName: getSchemaName(this.schema) })} SET updatedAt = @updatedAt WHERE id IN (${threadIdParams})`;
887
+ await threadReq.query(threadSql);
888
+ }
889
+ await transaction.commit();
890
+ } catch (error) {
891
+ await transaction.rollback();
892
+ throw new MastraError(
893
+ {
894
+ id: "MASTRA_STORAGE_MSSQL_UPDATE_MESSAGES_FAILED",
895
+ domain: ErrorDomain.STORAGE,
896
+ category: ErrorCategory.THIRD_PARTY
897
+ },
898
+ error
899
+ );
900
+ }
901
+ const refetchReq = this.pool.request();
902
+ messageIds.forEach((id, i) => refetchReq.input(`id${i}`, id));
903
+ const updatedMessages = (await refetchReq.query(selectQuery)).recordset;
904
+ return (updatedMessages || []).map((message) => {
905
+ if (typeof message.content === "string") {
906
+ try {
907
+ message.content = JSON.parse(message.content);
908
+ } catch {
909
+ }
910
+ }
911
+ return message;
912
+ });
913
+ }
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();
932
+ try {
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
+ }
944
+ }
945
+ await transaction.commit();
946
+ } catch (error) {
947
+ try {
948
+ await transaction.rollback();
949
+ } catch {
950
+ }
951
+ throw error;
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
+ );
963
+ }
964
+ }
965
+ async getResourceById({ resourceId }) {
966
+ const tableName = getTableName({ indexName: TABLE_RESOURCES, schemaName: getSchemaName(this.schema) });
967
+ try {
968
+ const req = this.pool.request();
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
+ }
974
+ return {
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
978
+ };
979
+ } catch (error) {
980
+ const mastraError = new MastraError(
981
+ {
982
+ id: "MASTRA_STORAGE_MSSQL_GET_RESOURCE_BY_ID_FAILED",
983
+ domain: ErrorDomain.STORAGE,
984
+ category: ErrorCategory.THIRD_PARTY,
985
+ details: { resourceId }
986
+ },
987
+ error
988
+ );
989
+ this.logger?.error?.(mastraError.toString());
990
+ this.logger?.trackException(mastraError);
991
+ throw mastraError;
992
+ }
993
+ }
994
+ async saveResource({ resource }) {
995
+ await this.operations.insert({
996
+ tableName: TABLE_RESOURCES,
997
+ record: {
998
+ ...resource,
999
+ metadata: JSON.stringify(resource.metadata)
1000
+ }
1001
+ });
1002
+ return resource;
1003
+ }
1004
+ async updateResource({
1005
+ resourceId,
1006
+ workingMemory,
1007
+ metadata
1008
+ }) {
1009
+ try {
1010
+ const existingResource = await this.getResourceById({ resourceId });
1011
+ if (!existingResource) {
1012
+ const newResource = {
1013
+ id: resourceId,
1014
+ workingMemory,
1015
+ metadata: metadata || {},
1016
+ createdAt: /* @__PURE__ */ new Date(),
1017
+ updatedAt: /* @__PURE__ */ new Date()
1018
+ };
1019
+ return this.saveResource({ resource: newResource });
1020
+ }
1021
+ const updatedResource = {
1022
+ ...existingResource,
1023
+ workingMemory: workingMemory !== void 0 ? workingMemory : existingResource.workingMemory,
1024
+ metadata: {
1025
+ ...existingResource.metadata,
1026
+ ...metadata
1027
+ },
1028
+ updatedAt: /* @__PURE__ */ new Date()
1029
+ };
1030
+ const tableName = getTableName({ indexName: TABLE_RESOURCES, schemaName: getSchemaName(this.schema) });
1031
+ const updates = [];
1032
+ const req = this.pool.request();
1033
+ if (workingMemory !== void 0) {
1034
+ updates.push("workingMemory = @workingMemory");
1035
+ req.input("workingMemory", workingMemory);
1036
+ }
1037
+ if (metadata) {
1038
+ updates.push("metadata = @metadata");
1039
+ req.input("metadata", JSON.stringify(updatedResource.metadata));
1040
+ }
1041
+ updates.push("updatedAt = @updatedAt");
1042
+ req.input("updatedAt", updatedResource.updatedAt.toISOString());
1043
+ req.input("id", resourceId);
1044
+ await req.query(`UPDATE ${tableName} SET ${updates.join(", ")} WHERE id = @id`);
1045
+ return updatedResource;
1046
+ } catch (error) {
1047
+ const mastraError = new MastraError(
1048
+ {
1049
+ id: "MASTRA_STORAGE_MSSQL_UPDATE_RESOURCE_FAILED",
1050
+ domain: ErrorDomain.STORAGE,
1051
+ category: ErrorCategory.THIRD_PARTY,
1052
+ details: { resourceId }
1053
+ },
1054
+ error
1055
+ );
1056
+ this.logger?.error?.(mastraError.toString());
1057
+ this.logger?.trackException(mastraError);
1058
+ throw mastraError;
1059
+ }
1060
+ }
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 }) {
1146
+ try {
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);
1162
+ } catch (error) {
1163
+ throw new MastraError(
1164
+ {
1165
+ id: "MASTRA_STORAGE_MSSQL_STORE_INSERT_FAILED",
1166
+ domain: ErrorDomain.STORAGE,
1167
+ category: ErrorCategory.THIRD_PARTY,
1168
+ details: {
1169
+ tableName
1170
+ }
1171
+ },
1172
+ error
1173
+ );
1174
+ }
1175
+ }
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
+ }
1201
+ }
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
+ }
1211
+ }
1212
+ async createTable({
1213
+ tableName,
1214
+ schema
1215
+ }) {
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
+ snapshot
1894
+ }) {
1895
+ const table = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
1896
+ const now = (/* @__PURE__ */ new Date()).toISOString();
1897
+ try {
1898
+ const request = this.pool.request();
1899
+ request.input("workflow_name", workflowName);
1900
+ request.input("run_id", runId);
1901
+ request.input("snapshot", JSON.stringify(snapshot));
1902
+ request.input("createdAt", sql2.DateTime2, new Date(now));
1903
+ request.input("updatedAt", sql2.DateTime2, new Date(now));
1904
+ const mergeSql = `MERGE INTO ${table} AS target
1905
+ USING (SELECT @workflow_name AS workflow_name, @run_id AS run_id) AS src
1906
+ ON target.workflow_name = src.workflow_name AND target.run_id = src.run_id
1907
+ WHEN MATCHED THEN UPDATE SET
1908
+ snapshot = @snapshot,
1909
+ [updatedAt] = @updatedAt
1910
+ WHEN NOT MATCHED THEN INSERT (workflow_name, run_id, snapshot, [createdAt], [updatedAt])
1911
+ VALUES (@workflow_name, @run_id, @snapshot, @createdAt, @updatedAt);`;
1912
+ await request.query(mergeSql);
1913
+ } catch (error) {
1914
+ throw new MastraError(
1915
+ {
1916
+ id: "MASTRA_STORAGE_MSSQL_STORE_PERSIST_WORKFLOW_SNAPSHOT_FAILED",
1917
+ domain: ErrorDomain.STORAGE,
1918
+ category: ErrorCategory.THIRD_PARTY,
1919
+ details: {
1920
+ workflowName,
1921
+ runId
1922
+ }
1923
+ },
1924
+ error
1925
+ );
1926
+ }
1927
+ }
1928
+ async loadWorkflowSnapshot({
1929
+ workflowName,
1930
+ runId
1931
+ }) {
1932
+ try {
1933
+ const result = await this.operations.load({
1934
+ tableName: TABLE_WORKFLOW_SNAPSHOT,
1935
+ keys: {
1936
+ workflow_name: workflowName,
1937
+ run_id: runId
1938
+ }
1939
+ });
1940
+ if (!result) {
1941
+ return null;
1942
+ }
1943
+ return result.snapshot;
1944
+ } catch (error) {
1945
+ throw new MastraError(
1946
+ {
1947
+ id: "MASTRA_STORAGE_MSSQL_STORE_LOAD_WORKFLOW_SNAPSHOT_FAILED",
1948
+ domain: ErrorDomain.STORAGE,
1949
+ category: ErrorCategory.THIRD_PARTY,
1950
+ details: {
1951
+ workflowName,
1952
+ runId
1953
+ }
1954
+ },
1955
+ error
1956
+ );
1957
+ }
1958
+ }
1959
+ async getWorkflowRunById({
1960
+ runId,
1961
+ workflowName
1962
+ }) {
1963
+ try {
1964
+ const conditions = [];
1965
+ const paramMap = {};
1966
+ if (runId) {
1967
+ conditions.push(`[run_id] = @runId`);
1968
+ paramMap["runId"] = runId;
1969
+ }
1970
+ if (workflowName) {
1971
+ conditions.push(`[workflow_name] = @workflowName`);
1972
+ paramMap["workflowName"] = workflowName;
1973
+ }
1974
+ const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
1975
+ const tableName = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
1976
+ const query = `SELECT * FROM ${tableName} ${whereClause}`;
1977
+ const request = this.pool.request();
1978
+ Object.entries(paramMap).forEach(([key, value]) => request.input(key, value));
1979
+ const result = await request.query(query);
1980
+ if (!result.recordset || result.recordset.length === 0) {
1981
+ return null;
1982
+ }
1983
+ return parseWorkflowRun(result.recordset[0]);
1984
+ } catch (error) {
1985
+ throw new MastraError(
1986
+ {
1987
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUN_BY_ID_FAILED",
1988
+ domain: ErrorDomain.STORAGE,
1989
+ category: ErrorCategory.THIRD_PARTY,
1990
+ details: {
1991
+ runId,
1992
+ workflowName: workflowName || ""
1993
+ }
1994
+ },
1995
+ error
1996
+ );
1997
+ }
1998
+ }
1999
+ async getWorkflowRuns({
2000
+ workflowName,
2001
+ fromDate,
2002
+ toDate,
2003
+ limit,
2004
+ offset,
2005
+ resourceId
2006
+ } = {}) {
2007
+ try {
2008
+ const conditions = [];
2009
+ const paramMap = {};
2010
+ if (workflowName) {
2011
+ conditions.push(`[workflow_name] = @workflowName`);
2012
+ paramMap["workflowName"] = workflowName;
2013
+ }
2014
+ if (resourceId) {
2015
+ const hasResourceId = await this.operations.hasColumn(TABLE_WORKFLOW_SNAPSHOT, "resourceId");
2016
+ if (hasResourceId) {
2017
+ conditions.push(`[resourceId] = @resourceId`);
2018
+ paramMap["resourceId"] = resourceId;
2019
+ } else {
2020
+ console.warn(`[${TABLE_WORKFLOW_SNAPSHOT}] resourceId column not found. Skipping resourceId filter.`);
2021
+ }
2022
+ }
2023
+ if (fromDate instanceof Date && !isNaN(fromDate.getTime())) {
2024
+ conditions.push(`[createdAt] >= @fromDate`);
2025
+ paramMap[`fromDate`] = fromDate.toISOString();
2026
+ }
2027
+ if (toDate instanceof Date && !isNaN(toDate.getTime())) {
2028
+ conditions.push(`[createdAt] <= @toDate`);
2029
+ paramMap[`toDate`] = toDate.toISOString();
2030
+ }
2031
+ const whereClause = conditions.length > 0 ? `WHERE ${conditions.join(" AND ")}` : "";
2032
+ let total = 0;
2033
+ const tableName = getTableName({ indexName: TABLE_WORKFLOW_SNAPSHOT, schemaName: getSchemaName(this.schema) });
2034
+ const request = this.pool.request();
2035
+ Object.entries(paramMap).forEach(([key, value]) => {
2036
+ if (value instanceof Date) {
2037
+ request.input(key, sql2.DateTime, value);
2038
+ } else {
2039
+ request.input(key, value);
2040
+ }
2041
+ });
2042
+ if (limit !== void 0 && offset !== void 0) {
2043
+ const countQuery = `SELECT COUNT(*) as count FROM ${tableName} ${whereClause}`;
2044
+ const countResult = await request.query(countQuery);
2045
+ total = Number(countResult.recordset[0]?.count || 0);
2046
+ }
2047
+ let query = `SELECT * FROM ${tableName} ${whereClause} ORDER BY [seq_id] DESC`;
2048
+ if (limit !== void 0 && offset !== void 0) {
2049
+ query += ` OFFSET @offset ROWS FETCH NEXT @limit ROWS ONLY`;
2050
+ request.input("limit", limit);
2051
+ request.input("offset", offset);
2052
+ }
2053
+ const result = await request.query(query);
2054
+ const runs = (result.recordset || []).map((row) => parseWorkflowRun(row));
2055
+ return { runs, total: total || runs.length };
2056
+ } catch (error) {
2057
+ throw new MastraError(
2058
+ {
2059
+ id: "MASTRA_STORAGE_MSSQL_STORE_GET_WORKFLOW_RUNS_FAILED",
2060
+ domain: ErrorDomain.STORAGE,
2061
+ category: ErrorCategory.THIRD_PARTY,
2062
+ details: {
2063
+ workflowName: workflowName || "all"
2064
+ }
2065
+ },
2066
+ error
2067
+ );
2068
+ }
2069
+ }
2070
+ };
2071
+
2072
+ // src/storage/index.ts
2073
+ var MSSQLStore = class extends MastraStorage {
2074
+ pool;
2075
+ schema;
2076
+ isConnected = null;
2077
+ stores;
2078
+ constructor(config) {
2079
+ super({ name: "MSSQLStore" });
2080
+ try {
2081
+ if ("connectionString" in config) {
2082
+ if (!config.connectionString || typeof config.connectionString !== "string" || config.connectionString.trim() === "") {
2083
+ throw new Error("MSSQLStore: connectionString must be provided and cannot be empty.");
2084
+ }
2085
+ } else {
2086
+ const required = ["server", "database", "user", "password"];
2087
+ for (const key of required) {
2088
+ if (!(key in config) || typeof config[key] !== "string" || config[key].trim() === "") {
2089
+ throw new Error(`MSSQLStore: ${key} must be provided and cannot be empty.`);
2090
+ }
2091
+ }
2092
+ }
2093
+ this.schema = config.schemaName || "dbo";
2094
+ this.pool = "connectionString" in config ? new sql2.ConnectionPool(config.connectionString) : new sql2.ConnectionPool({
2095
+ server: config.server,
2096
+ database: config.database,
2097
+ user: config.user,
2098
+ password: config.password,
2099
+ port: config.port,
2100
+ options: config.options || { encrypt: true, trustServerCertificate: true }
2101
+ });
2102
+ const legacyEvals = new LegacyEvalsMSSQL({ pool: this.pool, schema: this.schema });
2103
+ const operations = new StoreOperationsMSSQL({ pool: this.pool, schemaName: this.schema });
2104
+ const scores = new ScoresMSSQL({ pool: this.pool, operations, schema: this.schema });
2105
+ const traces = new TracesMSSQL({ pool: this.pool, operations, schema: this.schema });
2106
+ const workflows = new WorkflowsMSSQL({ pool: this.pool, operations, schema: this.schema });
2107
+ const memory = new MemoryMSSQL({ pool: this.pool, schema: this.schema, operations });
2108
+ this.stores = {
2109
+ operations,
2110
+ scores,
2111
+ traces,
2112
+ workflows,
2113
+ legacyEvals,
2114
+ memory
2115
+ };
2116
+ } catch (e) {
2117
+ throw new MastraError(
2118
+ {
2119
+ id: "MASTRA_STORAGE_MSSQL_STORE_INITIALIZATION_FAILED",
2120
+ domain: ErrorDomain.STORAGE,
2121
+ category: ErrorCategory.USER
2122
+ },
2123
+ e
2124
+ );
2125
+ }
2126
+ }
2127
+ async init() {
2128
+ if (this.isConnected === null) {
2129
+ this.isConnected = this._performInitializationAndStore();
2130
+ }
2131
+ try {
2132
+ await this.isConnected;
2133
+ await super.init();
2134
+ } catch (error) {
2135
+ this.isConnected = null;
2136
+ throw new MastraError(
2137
+ {
2138
+ id: "MASTRA_STORAGE_MSSQL_STORE_INIT_FAILED",
2139
+ domain: ErrorDomain.STORAGE,
2140
+ category: ErrorCategory.THIRD_PARTY
2141
+ },
2142
+ error
2143
+ );
2144
+ }
2145
+ }
2146
+ async _performInitializationAndStore() {
2147
+ try {
2148
+ await this.pool.connect();
2149
+ return true;
2150
+ } catch (err) {
2151
+ throw err;
2152
+ }
2153
+ }
2154
+ get supports() {
2155
+ return {
2156
+ selectByIncludeResourceScope: true,
2157
+ resourceWorkingMemory: true,
2158
+ hasColumn: true,
2159
+ createTable: true,
2160
+ deleteMessages: true
2161
+ };
2162
+ }
2163
+ /** @deprecated use getEvals instead */
2164
+ async getEvalsByAgentName(agentName, type) {
2165
+ return this.stores.legacyEvals.getEvalsByAgentName(agentName, type);
2166
+ }
2167
+ async getEvals(options = {}) {
2168
+ return this.stores.legacyEvals.getEvals(options);
2169
+ }
2170
+ /**
2171
+ * @deprecated use getTracesPaginated instead
2172
+ */
2173
+ async getTraces(args) {
2174
+ return this.stores.traces.getTraces(args);
2175
+ }
2176
+ async getTracesPaginated(args) {
2177
+ return this.stores.traces.getTracesPaginated(args);
2178
+ }
2179
+ async batchTraceInsert({ records }) {
2180
+ return this.stores.traces.batchTraceInsert({ records });
2181
+ }
2182
+ async createTable({
2183
+ tableName,
2184
+ schema
2185
+ }) {
2186
+ return this.stores.operations.createTable({ tableName, schema });
2187
+ }
2188
+ async alterTable({
2189
+ tableName,
2190
+ schema,
2191
+ ifNotExists
2192
+ }) {
2193
+ return this.stores.operations.alterTable({ tableName, schema, ifNotExists });
2194
+ }
2195
+ async clearTable({ tableName }) {
2196
+ return this.stores.operations.clearTable({ tableName });
2197
+ }
2198
+ async dropTable({ tableName }) {
2199
+ return this.stores.operations.dropTable({ tableName });
2200
+ }
2201
+ async insert({ tableName, record }) {
2202
+ return this.stores.operations.insert({ tableName, record });
2203
+ }
2204
+ async batchInsert({ tableName, records }) {
2205
+ return this.stores.operations.batchInsert({ tableName, records });
2206
+ }
2207
+ async load({ tableName, keys }) {
2208
+ return this.stores.operations.load({ tableName, keys });
2209
+ }
2210
+ /**
2211
+ * Memory
2212
+ */
2213
+ async getThreadById({ threadId }) {
2214
+ return this.stores.memory.getThreadById({ threadId });
2215
+ }
2216
+ /**
2217
+ * @deprecated use getThreadsByResourceIdPaginated instead
2218
+ */
2219
+ async getThreadsByResourceId(args) {
2220
+ return this.stores.memory.getThreadsByResourceId(args);
2221
+ }
2222
+ async getThreadsByResourceIdPaginated(args) {
2223
+ return this.stores.memory.getThreadsByResourceIdPaginated(args);
2224
+ }
2225
+ async saveThread({ thread }) {
2226
+ return this.stores.memory.saveThread({ thread });
2227
+ }
2228
+ async updateThread({
2229
+ id,
2230
+ title,
2231
+ metadata
2232
+ }) {
2233
+ return this.stores.memory.updateThread({ id, title, metadata });
2234
+ }
2235
+ async deleteThread({ threadId }) {
2236
+ return this.stores.memory.deleteThread({ threadId });
2237
+ }
2238
+ async getMessages(args) {
2239
+ return this.stores.memory.getMessages(args);
2240
+ }
2241
+ async getMessagesById({
2242
+ messageIds,
2243
+ format
2244
+ }) {
2245
+ return this.stores.memory.getMessagesById({ messageIds, format });
2246
+ }
2247
+ async getMessagesPaginated(args) {
2248
+ return this.stores.memory.getMessagesPaginated(args);
2249
+ }
2250
+ async saveMessages(args) {
2251
+ return this.stores.memory.saveMessages(args);
2252
+ }
2253
+ async updateMessages({
2254
+ messages
2255
+ }) {
2256
+ return this.stores.memory.updateMessages({ messages });
2257
+ }
2258
+ async deleteMessages(messageIds) {
2259
+ return this.stores.memory.deleteMessages(messageIds);
2260
+ }
2261
+ async getResourceById({ resourceId }) {
2262
+ return this.stores.memory.getResourceById({ resourceId });
2263
+ }
2264
+ async saveResource({ resource }) {
2265
+ return this.stores.memory.saveResource({ resource });
2266
+ }
2267
+ async updateResource({
2268
+ resourceId,
2269
+ workingMemory,
2270
+ metadata
2271
+ }) {
2272
+ return this.stores.memory.updateResource({ resourceId, workingMemory, metadata });
2273
+ }
2274
+ /**
2275
+ * Workflows
2276
+ */
2277
+ async updateWorkflowResults({
2278
+ workflowName,
2279
+ runId,
2280
+ stepId,
2281
+ result,
2282
+ runtimeContext
2283
+ }) {
2284
+ return this.stores.workflows.updateWorkflowResults({ workflowName, runId, stepId, result, runtimeContext });
2285
+ }
2286
+ async updateWorkflowState({
2287
+ workflowName,
2288
+ runId,
2289
+ opts
2290
+ }) {
2291
+ return this.stores.workflows.updateWorkflowState({ workflowName, runId, opts });
2292
+ }
2293
+ async persistWorkflowSnapshot({
2294
+ workflowName,
2295
+ runId,
2296
+ snapshot
2297
+ }) {
2298
+ return this.stores.workflows.persistWorkflowSnapshot({ workflowName, runId, snapshot });
2299
+ }
2300
+ async loadWorkflowSnapshot({
2301
+ workflowName,
2302
+ runId
2303
+ }) {
2304
+ return this.stores.workflows.loadWorkflowSnapshot({ workflowName, runId });
2305
+ }
2306
+ async getWorkflowRuns({
2307
+ workflowName,
2308
+ fromDate,
2309
+ toDate,
2310
+ limit,
2311
+ offset,
2312
+ resourceId
2313
+ } = {}) {
2314
+ return this.stores.workflows.getWorkflowRuns({ workflowName, fromDate, toDate, limit, offset, resourceId });
2315
+ }
2316
+ async getWorkflowRunById({
2317
+ runId,
2318
+ workflowName
2319
+ }) {
2320
+ return this.stores.workflows.getWorkflowRunById({ runId, workflowName });
2321
+ }
2322
+ async close() {
2323
+ await this.pool.close();
2324
+ }
2325
+ /**
2326
+ * Scorers
2327
+ */
2328
+ async getScoreById({ id: _id }) {
2329
+ return this.stores.scores.getScoreById({ id: _id });
2330
+ }
2331
+ async getScoresByScorerId({
2332
+ scorerId: _scorerId,
2333
+ pagination: _pagination
2334
+ }) {
2335
+ return this.stores.scores.getScoresByScorerId({ scorerId: _scorerId, pagination: _pagination });
2336
+ }
2337
+ async saveScore(_score) {
2338
+ return this.stores.scores.saveScore(_score);
2339
+ }
2340
+ async getScoresByRunId({
2341
+ runId: _runId,
2342
+ pagination: _pagination
2343
+ }) {
2344
+ return this.stores.scores.getScoresByRunId({ runId: _runId, pagination: _pagination });
2345
+ }
2346
+ async getScoresByEntityId({
2347
+ entityId: _entityId,
2348
+ entityType: _entityType,
2349
+ pagination: _pagination
2350
+ }) {
2351
+ return this.stores.scores.getScoresByEntityId({
2352
+ entityId: _entityId,
2353
+ entityType: _entityType,
2354
+ pagination: _pagination
2355
+ });
2356
+ }
2357
+ };
2358
+
2359
+ export { MSSQLStore };
2360
+ //# sourceMappingURL=index.js.map
2361
+ //# sourceMappingURL=index.js.map