@mastra/deployer-cloudflare 0.0.0-tsconfig-compile-20250703214351 → 0.0.0-type-testing-20260120105120

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (34) hide show
  1. package/CHANGELOG.md +4330 -0
  2. package/LICENSE.md +11 -42
  3. package/README.md +6 -44
  4. package/dist/babel/mastra-instance-wrapper.d.ts +24 -0
  5. package/dist/babel/mastra-instance-wrapper.d.ts.map +1 -0
  6. package/dist/babel/postgres-store-instance-checker.d.ts +21 -0
  7. package/dist/babel/postgres-store-instance-checker.d.ts.map +1 -0
  8. package/dist/index.cjs +171 -106
  9. package/dist/index.cjs.map +1 -0
  10. package/dist/index.d.ts +42 -1
  11. package/dist/index.d.ts.map +1 -0
  12. package/dist/index.js +153 -106
  13. package/dist/index.js.map +1 -0
  14. package/dist/plugins/__fixtures__/basic.d.ts +5 -0
  15. package/dist/plugins/__fixtures__/basic.d.ts.map +1 -0
  16. package/dist/plugins/__fixtures__/empty-mastra.d.ts +3 -0
  17. package/dist/plugins/__fixtures__/empty-mastra.d.ts.map +1 -0
  18. package/dist/plugins/__fixtures__/multiple-postgres-stores.d.ts +6 -0
  19. package/dist/plugins/__fixtures__/multiple-postgres-stores.d.ts.map +1 -0
  20. package/dist/plugins/mastra-instance-wrapper.d.ts +3 -0
  21. package/dist/plugins/mastra-instance-wrapper.d.ts.map +1 -0
  22. package/dist/plugins/postgres-store-instance-checker.d.ts +3 -0
  23. package/dist/plugins/postgres-store-instance-checker.d.ts.map +1 -0
  24. package/dist/secrets-manager/index.cjs +2 -0
  25. package/dist/secrets-manager/index.cjs.map +1 -0
  26. package/dist/secrets-manager/index.d.ts +25 -1
  27. package/dist/secrets-manager/index.d.ts.map +1 -0
  28. package/dist/secrets-manager/index.js +2 -0
  29. package/dist/secrets-manager/index.js.map +1 -0
  30. package/package.json +47 -21
  31. package/dist/_tsup-dts-rollup.d.cts +0 -85
  32. package/dist/_tsup-dts-rollup.d.ts +0 -85
  33. package/dist/index.d.cts +0 -1
  34. package/dist/secrets-manager/index.d.cts +0 -1
package/dist/index.js CHANGED
@@ -2,47 +2,136 @@ import { writeFile } from 'fs/promises';
2
2
  import { join } from 'path';
3
3
  import { Deployer } from '@mastra/deployer';
4
4
  import virtual from '@rollup/plugin-virtual';
5
- import { Cloudflare } from 'cloudflare';
5
+ import * as babel from '@babel/core';
6
+ import { transformSync } from '@babel/core';
7
+
8
+ // src/index.ts
9
+ function mastraInstanceWrapper() {
10
+ const exportName = "mastra";
11
+ const className = "Mastra";
12
+ const t = babel.types;
13
+ return {
14
+ name: "wrap-mastra",
15
+ visitor: {
16
+ ExportNamedDeclaration(path) {
17
+ if (t.isVariableDeclaration(path.node?.declaration)) {
18
+ for (const declaration of path.node.declaration.declarations) {
19
+ if (t.isIdentifier(declaration?.id, { name: exportName }) && t.isNewExpression(declaration?.init) && t.isIdentifier(declaration.init.callee, { name: className })) {
20
+ declaration.init = t.arrowFunctionExpression([], declaration.init);
21
+ break;
22
+ }
23
+ }
24
+ }
25
+ }
26
+ }
27
+ };
28
+ }
29
+
30
+ // src/plugins/mastra-instance-wrapper.ts
31
+ function mastraInstanceWrapper2(mastraEntryFile) {
32
+ return {
33
+ name: "mastra-wrapper",
34
+ transform(code, id) {
35
+ if (id !== mastraEntryFile) {
36
+ return null;
37
+ }
38
+ const result = transformSync(code, {
39
+ filename: id,
40
+ babelrc: false,
41
+ configFile: false,
42
+ plugins: [mastraInstanceWrapper]
43
+ });
44
+ if (!result?.code) {
45
+ throw new Error("mastra-wrapper plugin did not return code, there is likely a bug in the plugin.");
46
+ }
47
+ return {
48
+ code: result.code,
49
+ map: result?.map
50
+ };
51
+ }
52
+ };
53
+ }
54
+ function postgresStoreInstanceChecker() {
55
+ const t = babel.types;
56
+ const instances = [];
57
+ return {
58
+ name: "postgresstore-instance-checker",
59
+ visitor: {
60
+ NewExpression(path, state) {
61
+ if (t.isIdentifier(path.node.callee) && path.node.callee.name === "PostgresStore") {
62
+ const filename = state.file?.opts?.filename || "unknown file";
63
+ const location = path.node.loc ? `${filename}: line ${path.node.loc.start.line}, column ${path.node.loc.start.column}` : "unknown location";
64
+ instances.push({
65
+ path,
66
+ location
67
+ });
68
+ }
69
+ }
70
+ },
71
+ post() {
72
+ if (instances.length > 1) {
73
+ const errorMessage = [
74
+ `Found ${instances.length} PostgresStore instantiations:`,
75
+ ...instances.map((instance, i) => ` ${i + 1}. At ${instance.location}`),
76
+ "Only one PostgresStore instance should be created per Cloudflare Worker."
77
+ ].join("\n");
78
+ const lastInstance = instances[instances.length - 1];
79
+ throw lastInstance?.path.buildCodeFrameError(errorMessage);
80
+ }
81
+ }
82
+ };
83
+ }
84
+
85
+ // src/plugins/postgres-store-instance-checker.ts
86
+ function postgresStoreInstanceChecker2() {
87
+ return {
88
+ name: "postgres-store-instance-checker",
89
+ transform(code, id) {
90
+ const result = transformSync(code, {
91
+ filename: id,
92
+ babelrc: false,
93
+ configFile: false,
94
+ plugins: [postgresStoreInstanceChecker]
95
+ });
96
+ if (!result || typeof result.code !== "string") {
97
+ return null;
98
+ }
99
+ return {
100
+ code: result.code,
101
+ map: result.map ?? null
102
+ };
103
+ }
104
+ };
105
+ }
6
106
 
7
107
  // src/index.ts
8
108
  var CloudflareDeployer = class extends Deployer {
9
- cloudflare;
10
- routes = [];
11
- workerNamespace;
12
- scope;
13
- env;
14
- projectName;
15
- d1Databases;
16
- kvNamespaces;
17
- constructor({
18
- scope,
19
- env,
20
- projectName = "mastra",
21
- routes,
22
- workerNamespace,
23
- auth,
24
- d1Databases,
25
- kvNamespaces
26
- }) {
109
+ userConfig;
110
+ constructor(userConfig) {
27
111
  super({ name: "CLOUDFLARE" });
28
- this.scope = scope;
29
- this.projectName = projectName;
30
- this.routes = routes;
31
- this.workerNamespace = workerNamespace;
32
- if (env) {
33
- this.env = env;
112
+ this.userConfig = { ...userConfig };
113
+ if (userConfig.workerNamespace) {
114
+ console.warn("[CloudflareDeployer]: `workerNamespace` is no longer used");
115
+ }
116
+ if (!userConfig.name && userConfig.projectName) {
117
+ this.userConfig.name = userConfig.projectName;
118
+ console.warn("[CloudflareDeployer]: `projectName` is deprecated, use `name` instead");
119
+ }
120
+ if (!userConfig.d1_databases && userConfig.d1Databases) {
121
+ this.userConfig.d1_databases = userConfig.d1Databases;
122
+ console.warn("[CloudflareDeployer]: `d1Databases` is deprecated, use `d1_databases` instead");
123
+ }
124
+ if (!userConfig.kv_namespaces && userConfig.kvNamespaces) {
125
+ this.userConfig.kv_namespaces = userConfig.kvNamespaces;
126
+ console.warn("[CloudflareDeployer]: `kvNamespaces` is deprecated, use `kv_namespaces` instead");
34
127
  }
35
- if (d1Databases) this.d1Databases = d1Databases;
36
- if (kvNamespaces) this.kvNamespaces = kvNamespaces;
37
- this.cloudflare = new Cloudflare(auth);
38
128
  }
39
129
  async writeFiles(outputDirectory) {
40
- const env = await this.loadEnvVars();
41
- const envsAsObject = Object.assign({}, Object.fromEntries(env.entries()), this.env);
42
- const cfWorkerName = this.projectName;
130
+ const { vars: userVars, ...userConfig } = this.userConfig;
131
+ const loadedEnvVars = await this.loadEnvVars();
132
+ const envsAsObject = Object.assign({}, Object.fromEntries(loadedEnvVars.entries()), userVars);
43
133
  const wranglerConfig = {
44
- name: cfWorkerName,
45
- main: "./index.mjs",
134
+ name: "mastra",
46
135
  compatibility_date: "2025-04-01",
47
136
  compatibility_flags: ["nodejs_compat", "nodejs_compat_populate_process_env"],
48
137
  observability: {
@@ -50,70 +139,29 @@ var CloudflareDeployer = class extends Deployer {
50
139
  enabled: true
51
140
  }
52
141
  },
142
+ ...userConfig,
143
+ main: "./index.mjs",
53
144
  vars: envsAsObject
54
145
  };
55
- if (!this.workerNamespace && this.routes) {
56
- wranglerConfig.routes = this.routes;
57
- }
58
- if (this.d1Databases?.length) {
59
- wranglerConfig.d1_databases = this.d1Databases;
60
- }
61
- if (this.kvNamespaces?.length) {
62
- wranglerConfig.kv_namespaces = this.kvNamespaces;
63
- }
64
146
  await writeFile(join(outputDirectory, this.outputDir, "wrangler.json"), JSON.stringify(wranglerConfig));
65
147
  }
66
148
  getEntry() {
67
149
  return `
68
150
  import '#polyfills';
69
- import { mastra } from '#mastra';
70
- import { createHonoServer } from '#server';
71
- import { evaluate } from '@mastra/core/eval';
72
- import { AvailableHooks, registerHook } from '@mastra/core/hooks';
73
- import { TABLE_EVALS } from '@mastra/core/storage';
74
- import { checkEvalStorageFields } from '@mastra/core/utils';
75
-
76
- registerHook(AvailableHooks.ON_GENERATION, ({ input, output, metric, runId, agentName, instructions }) => {
77
- evaluate({
78
- agentName,
79
- input,
80
- metric,
81
- output,
82
- runId,
83
- globalRunId: runId,
84
- instructions,
85
- });
86
- });
87
-
88
- registerHook(AvailableHooks.ON_EVALUATION, async traceObject => {
89
- const storage = mastra.getStorage();
90
- if (storage) {
91
- // Check for required fields
92
- const logger = mastra?.getLogger();
93
- const areFieldsValid = checkEvalStorageFields(traceObject, logger);
94
- if (!areFieldsValid) return;
95
-
96
- await storage.insert({
97
- tableName: TABLE_EVALS,
98
- record: {
99
- input: traceObject.input,
100
- output: traceObject.output,
101
- result: JSON.stringify(traceObject.result || {}),
102
- agent_name: traceObject.agentName,
103
- metric_name: traceObject.metricName,
104
- instructions: traceObject.instructions,
105
- test_info: null,
106
- global_run_id: traceObject.globalRunId,
107
- run_id: traceObject.runId,
108
- created_at: new Date().toISOString(),
109
- },
110
- });
111
- }
112
- });
151
+ import { scoreTracesWorkflow } from '@mastra/core/evals/scoreTraces';
113
152
 
114
153
  export default {
115
154
  fetch: async (request, env, context) => {
116
- const app = await createHonoServer(mastra)
155
+ const { mastra } = await import('#mastra');
156
+ const { tools } = await import('#tools');
157
+ const {createHonoServer, getToolExports} = await import('#server');
158
+ const _mastra = mastra();
159
+
160
+ if (_mastra.getStorage()) {
161
+ _mastra.__registerInternalWorkflow(scoreTracesWorkflow);
162
+ }
163
+
164
+ const app = await createHonoServer(_mastra, { tools: getToolExports(tools) });
117
165
  return app.fetch(request, env, context);
118
166
  }
119
167
  }
@@ -123,8 +171,12 @@ var CloudflareDeployer = class extends Deployer {
123
171
  await super.prepare(outputDirectory);
124
172
  await this.writeFiles(outputDirectory);
125
173
  }
126
- async getBundlerOptions(serverFile, mastraEntryFile, analyzedBundleInfo, toolsPaths) {
127
- const inputOptions = await super.getBundlerOptions(serverFile, mastraEntryFile, analyzedBundleInfo, toolsPaths);
174
+ async getBundlerOptions(serverFile, mastraEntryFile, analyzedBundleInfo, toolsPaths, bundlerOptions) {
175
+ const inputOptions = await super.getBundlerOptions(serverFile, mastraEntryFile, analyzedBundleInfo, toolsPaths, {
176
+ ...bundlerOptions,
177
+ enableEsmShim: false
178
+ });
179
+ const hasPostgresStore = await this.deps.checkDependencies(["@mastra/pg"]) === `ok`;
128
180
  if (Array.isArray(inputOptions.plugins)) {
129
181
  inputOptions.plugins = [
130
182
  virtual({
@@ -133,37 +185,30 @@ process.versions = process.versions || {};
133
185
  process.versions.node = '${process.versions.node}';
134
186
  `
135
187
  }),
136
- ...inputOptions.plugins
188
+ ...inputOptions.plugins,
189
+ mastraInstanceWrapper2(mastraEntryFile)
137
190
  ];
191
+ if (hasPostgresStore) {
192
+ inputOptions.plugins.push(postgresStoreInstanceChecker2());
193
+ }
138
194
  }
139
195
  return inputOptions;
140
196
  }
141
- async bundle(entryFile, outputDirectory, toolsPaths) {
142
- return this._bundle(this.getEntry(), entryFile, outputDirectory, toolsPaths);
197
+ async bundle(entryFile, outputDirectory, { toolsPaths, projectRoot }) {
198
+ return this._bundle(this.getEntry(), entryFile, { outputDirectory, projectRoot, enableEsmShim: false }, toolsPaths);
143
199
  }
144
200
  async deploy() {
145
201
  this.logger?.info("Deploying to Cloudflare failed. Please use the Cloudflare dashboard to deploy.");
146
202
  }
147
- async tagWorker({
148
- workerName,
149
- namespace,
150
- tags,
151
- scope
152
- }) {
153
- if (!this.cloudflare) {
154
- throw new Error("Cloudflare Deployer not initialized");
155
- }
156
- await this.cloudflare.workersForPlatforms.dispatch.namespaces.scripts.tags.update(namespace, workerName, {
157
- account_id: scope,
158
- body: tags
159
- });
203
+ async tagWorker() {
204
+ throw new Error("tagWorker method is no longer supported. Use the Cloudflare dashboard or API directly.");
160
205
  }
161
206
  async lint(entryFile, outputDirectory, toolsPaths) {
162
207
  await super.lint(entryFile, outputDirectory, toolsPaths);
163
208
  const hasLibsql = await this.deps.checkDependencies(["@mastra/libsql"]) === `ok`;
164
209
  if (hasLibsql) {
165
210
  this.logger.error(
166
- "Cloudflare Deployer does not support @libsql/client(which may have been installed by @mastra/libsql) as a dependency. Please use Cloudflare D1 instead @mastra/cloudflare-d1"
211
+ "Cloudflare Deployer does not support @libsql/client (which may have been installed by @mastra/libsql) as a dependency. Please use Cloudflare D1 instead: @mastra/cloudflare-d1."
167
212
  );
168
213
  process.exit(1);
169
214
  }
@@ -171,3 +216,5 @@ process.versions.node = '${process.versions.node}';
171
216
  };
172
217
 
173
218
  export { CloudflareDeployer };
219
+ //# sourceMappingURL=index.js.map
220
+ //# sourceMappingURL=index.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/babel/mastra-instance-wrapper.ts","../src/plugins/mastra-instance-wrapper.ts","../src/babel/postgres-store-instance-checker.ts","../src/plugins/postgres-store-instance-checker.ts","../src/index.ts"],"names":["mastraInstanceWrapper","babel2","postgresStoreInstanceChecker","transformSync"],"mappings":";;;;;;;;AAwBO,SAAS,qBAAA,GAAmC;AACjD,EAAA,MAAM,UAAA,GAAa,QAAA;AACnB,EAAA,MAAM,SAAA,GAAY,QAAA;AAClB,EAAA,MAAM,CAAA,GAAU,KAAA,CAAA,KAAA;AAEhB,EAAA,OAAO;AAAA,IACL,IAAA,EAAM,aAAA;AAAA,IACN,OAAA,EAAS;AAAA,MACP,uBAAuB,IAAA,EAAM;AAC3B,QAAA,IAAI,CAAA,CAAE,qBAAA,CAAsB,IAAA,CAAK,IAAA,EAAM,WAAW,CAAA,EAAG;AACnD,UAAA,KAAA,MAAW,WAAA,IAAe,IAAA,CAAK,IAAA,CAAK,WAAA,CAAY,YAAA,EAAc;AAC5D,YAAA,IACE,CAAA,CAAE,aAAa,WAAA,EAAa,EAAA,EAAI,EAAE,IAAA,EAAM,UAAA,EAAY,CAAA,IACpD,CAAA,CAAE,eAAA,CAAgB,aAAa,IAAI,CAAA,IACnC,CAAA,CAAE,YAAA,CAAa,WAAA,CAAY,IAAA,CAAK,QAAQ,EAAE,IAAA,EAAM,SAAA,EAAW,CAAA,EAC3D;AACA,cAAA,WAAA,CAAY,OAAO,CAAA,CAAE,uBAAA,CAAwB,EAAC,EAAG,YAAY,IAAI,CAAA;AAEjE,cAAA;AAAA,YACF;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA;AACF,GACF;AACF;;;AC7CO,SAASA,uBAAsB,eAAA,EAAiC;AACrE,EAAA,OAAO;AAAA,IACL,IAAA,EAAM,gBAAA;AAAA,IACN,SAAA,CAAU,MAAM,EAAA,EAAI;AAClB,MAAA,IAAI,OAAO,eAAA,EAAiB;AAC1B,QAAA,OAAO,IAAA;AAAA,MACT;AAEA,MAAA,MAAM,MAAA,GAAS,cAAc,IAAA,EAAM;AAAA,QACjC,QAAA,EAAU,EAAA;AAAA,QACV,OAAA,EAAS,KAAA;AAAA,QACT,UAAA,EAAY,KAAA;AAAA,QACZ,OAAA,EAAS,CAAC,qBAA0B;AAAA,OACrC,CAAA;AAED,MAAA,IAAI,CAAC,QAAQ,IAAA,EAAM;AACjB,QAAA,MAAM,IAAI,MAAM,iFAAiF,CAAA;AAAA,MACnG;AAEA,MAAA,OAAO;AAAA,QACL,MAAM,MAAA,CAAO,IAAA;AAAA,QACb,KAAK,MAAA,EAAQ;AAAA,OACf;AAAA,IACF;AAAA,GACF;AACF;ACPO,SAAS,4BAAA,GAA0C;AACxD,EAAA,MAAM,CAAA,GAAUC,KAAA,CAAA,KAAA;AAChB,EAAA,MAAM,YAAmE,EAAC;AAE1E,EAAA,OAAO;AAAA,IACL,IAAA,EAAM,gCAAA;AAAA,IACN,OAAA,EAAS;AAAA,MACP,aAAA,CAAc,MAAM,KAAA,EAAO;AACzB,QAAA,IAAI,CAAA,CAAE,YAAA,CAAa,IAAA,CAAK,IAAA,CAAK,MAAM,KAAK,IAAA,CAAK,IAAA,CAAK,MAAA,CAAO,IAAA,KAAS,eAAA,EAAiB;AACjF,UAAA,MAAM,QAAA,GAAW,KAAA,CAAM,IAAA,EAAM,IAAA,EAAM,QAAA,IAAY,cAAA;AAC/C,UAAA,MAAM,WAAW,IAAA,CAAK,IAAA,CAAK,MACvB,CAAA,EAAG,QAAQ,UAAU,IAAA,CAAK,IAAA,CAAK,GAAA,CAAI,KAAA,CAAM,IAAI,CAAA,SAAA,EAAY,IAAA,CAAK,KAAK,GAAA,CAAI,KAAA,CAAM,MAAM,CAAA,CAAA,GACnF,kBAAA;AAEJ,UAAA,SAAA,CAAU,IAAA,CAAK;AAAA,YACb,IAAA;AAAA,YACA;AAAA,WACD,CAAA;AAAA,QACH;AAAA,MACF;AAAA,KACF;AAAA,IACA,IAAA,GAAO;AACL,MAAA,IAAI,SAAA,CAAU,SAAS,CAAA,EAAG;AACxB,QAAA,MAAM,YAAA,GAAe;AAAA,UACnB,CAAA,MAAA,EAAS,UAAU,MAAM,CAAA,8BAAA,CAAA;AAAA,UACzB,GAAG,SAAA,CAAU,GAAA,CAAI,CAAC,QAAA,EAAU,CAAA,KAAM,CAAA,EAAA,EAAK,CAAA,GAAI,CAAC,CAAA,KAAA,EAAQ,QAAA,CAAS,QAAQ,CAAA,CAAE,CAAA;AAAA,UACvE;AAAA,SACF,CAAE,KAAK,IAAI,CAAA;AAEX,QAAA,MAAM,YAAA,GAAe,SAAA,CAAU,SAAA,CAAU,MAAA,GAAS,CAAC,CAAA;AACnD,QAAA,MAAM,YAAA,EAAc,IAAA,CAAK,mBAAA,CAAoB,YAAY,CAAA;AAAA,MAC3D;AAAA,IACF;AAAA,GACF;AACF;;;ACpDO,SAASC,6BAAAA,GAAuC;AACrD,EAAA,OAAO;AAAA,IACL,IAAA,EAAM,iCAAA;AAAA,IACN,SAAA,CAAU,MAAM,EAAA,EAAI;AAClB,MAAA,MAAM,MAAA,GAASC,cAAc,IAAA,EAAM;AAAA,QACjC,QAAA,EAAU,EAAA;AAAA,QACV,OAAA,EAAS,KAAA;AAAA,QACT,UAAA,EAAY,KAAA;AAAA,QACZ,OAAA,EAAS,CAAC,4BAAiC;AAAA,OAC5C,CAAA;AAGD,MAAA,IAAI,CAAC,MAAA,IAAU,OAAO,MAAA,CAAO,SAAS,QAAA,EAAU;AAC9C,QAAA,OAAO,IAAA;AAAA,MACT;AAEA,MAAA,OAAO;AAAA,QACL,MAAM,MAAA,CAAO,IAAA;AAAA,QACb,GAAA,EAAK,OAAO,GAAA,IAAO;AAAA,OACrB;AAAA,IACF;AAAA,GACF;AACF;;;ACFO,IAAM,kBAAA,GAAN,cAAiC,QAAA,CAAS;AAAA,EACtC,UAAA;AAAA,EAET,YACE,UAAA,EAYA;AACA,IAAA,KAAA,CAAM,EAAE,IAAA,EAAM,YAAA,EAAc,CAAA;AAE5B,IAAA,IAAA,CAAK,UAAA,GAAa,EAAE,GAAG,UAAA,EAAW;AAElC,IAAA,IAAI,WAAW,eAAA,EAAiB;AAC9B,MAAA,OAAA,CAAQ,KAAK,2DAA2D,CAAA;AAAA,IAC1E;AACA,IAAA,IAAI,CAAC,UAAA,CAAW,IAAA,IAAQ,UAAA,CAAW,WAAA,EAAa;AAC9C,MAAA,IAAA,CAAK,UAAA,CAAW,OAAO,UAAA,CAAW,WAAA;AAClC,MAAA,OAAA,CAAQ,KAAK,uEAAuE,CAAA;AAAA,IACtF;AACA,IAAA,IAAI,CAAC,UAAA,CAAW,YAAA,IAAgB,UAAA,CAAW,WAAA,EAAa;AACtD,MAAA,IAAA,CAAK,UAAA,CAAW,eAAe,UAAA,CAAW,WAAA;AAC1C,MAAA,OAAA,CAAQ,KAAK,+EAA+E,CAAA;AAAA,IAC9F;AACA,IAAA,IAAI,CAAC,UAAA,CAAW,aAAA,IAAiB,UAAA,CAAW,YAAA,EAAc;AACxD,MAAA,IAAA,CAAK,UAAA,CAAW,gBAAgB,UAAA,CAAW,YAAA;AAC3C,MAAA,OAAA,CAAQ,KAAK,iFAAiF,CAAA;AAAA,IAChG;AAAA,EACF;AAAA,EAEA,MAAM,WAAW,eAAA,EAAwC;AACvD,IAAA,MAAM,EAAE,IAAA,EAAM,QAAA,EAAU,GAAG,UAAA,KAAe,IAAA,CAAK,UAAA;AAC/C,IAAA,MAAM,aAAA,GAAgB,MAAM,IAAA,CAAK,WAAA,EAAY;AAG7C,IAAA,MAAM,YAAA,GAAe,MAAA,CAAO,MAAA,CAAO,EAAC,EAAG,MAAA,CAAO,WAAA,CAAY,aAAA,CAAc,OAAA,EAAS,CAAA,EAAG,QAAQ,CAAA;AAE5F,IAAA,MAAM,cAAA,GAAqC;AAAA,MACzC,IAAA,EAAM,QAAA;AAAA,MACN,kBAAA,EAAoB,YAAA;AAAA,MACpB,mBAAA,EAAqB,CAAC,eAAA,EAAiB,oCAAoC,CAAA;AAAA,MAC3E,aAAA,EAAe;AAAA,QACb,IAAA,EAAM;AAAA,UACJ,OAAA,EAAS;AAAA;AACX,OACF;AAAA,MACA,GAAG,UAAA;AAAA,MACH,IAAA,EAAM,aAAA;AAAA,MACN,IAAA,EAAM;AAAA,KACR;AAEA,IAAA,MAAM,SAAA,CAAU,IAAA,CAAK,eAAA,EAAiB,IAAA,CAAK,SAAA,EAAW,eAAe,CAAA,EAAG,IAAA,CAAK,SAAA,CAAU,cAAc,CAAC,CAAA;AAAA,EACxG;AAAA,EAEQ,QAAA,GAAmB;AACzB,IAAA,OAAO;AAAA;AAAA;;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;;AAAA;AAAA;AAAA;;AAAA;AAAA;AAAA;AAAA;AAAA,CAAA;AAAA,EAoBT;AAAA,EACA,MAAM,QAAQ,eAAA,EAAwC;AACpD,IAAA,MAAM,KAAA,CAAM,QAAQ,eAAe,CAAA;AACnC,IAAA,MAAM,IAAA,CAAK,WAAW,eAAe,CAAA;AAAA,EACvC;AAAA,EAEA,MAAgB,iBAAA,CACd,UAAA,EACA,eAAA,EACA,kBAAA,EACA,YACA,cAAA,EACA;AACA,IAAA,MAAM,eAAe,MAAM,KAAA,CAAM,kBAAkB,UAAA,EAAY,eAAA,EAAiB,oBAAoB,UAAA,EAAY;AAAA,MAC9G,GAAG,cAAA;AAAA,MACH,aAAA,EAAe;AAAA,KAChB,CAAA;AAED,IAAA,MAAM,gBAAA,GAAoB,MAAM,IAAA,CAAK,IAAA,CAAK,kBAAkB,CAAC,YAAY,CAAC,CAAA,KAAO,CAAA,EAAA,CAAA;AAEjF,IAAA,IAAI,KAAA,CAAM,OAAA,CAAQ,YAAA,CAAa,OAAO,CAAA,EAAG;AACvC,MAAA,YAAA,CAAa,OAAA,GAAU;AAAA,QACrB,OAAA,CAAQ;AAAA,UACN,YAAA,EAAc;AAAA;AAAA,yBAAA,EAEG,OAAA,CAAQ,SAAS,IAAI,CAAA;AAAA,MAAA;AAAA,SAEvC,CAAA;AAAA,QACD,GAAG,YAAA,CAAa,OAAA;AAAA,QAChBH,uBAAsB,eAAe;AAAA,OACvC;AAEA,MAAA,IAAI,gBAAA,EAAkB;AACpB,QAAA,YAAA,CAAa,OAAA,CAAQ,IAAA,CAAKE,6BAAAA,EAA8B,CAAA;AAAA,MAC1D;AAAA,IACF;AAEA,IAAA,OAAO,YAAA;AAAA,EACT;AAAA,EAEA,MAAM,MAAA,CACJ,SAAA,EACA,iBACA,EAAE,UAAA,EAAY,aAAY,EACX;AACf,IAAA,OAAO,IAAA,CAAK,OAAA,CAAQ,IAAA,CAAK,QAAA,EAAS,EAAG,SAAA,EAAW,EAAE,eAAA,EAAiB,WAAA,EAAa,aAAA,EAAe,KAAA,EAAM,EAAG,UAAU,CAAA;AAAA,EACpH;AAAA,EAEA,MAAM,MAAA,GAAwB;AAC5B,IAAA,IAAA,CAAK,MAAA,EAAQ,KAAK,gFAAgF,CAAA;AAAA,EACpG;AAAA,EAEA,MAAM,SAAA,GAA2B;AAC/B,IAAA,MAAM,IAAI,MAAM,wFAAwF,CAAA;AAAA,EAC1G;AAAA,EAEA,MAAM,IAAA,CAAK,SAAA,EAAmB,eAAA,EAAyB,UAAA,EAAkD;AACvG,IAAA,MAAM,KAAA,CAAM,IAAA,CAAK,SAAA,EAAW,eAAA,EAAiB,UAAU,CAAA;AAEvD,IAAA,MAAM,SAAA,GAAa,MAAM,IAAA,CAAK,IAAA,CAAK,kBAAkB,CAAC,gBAAgB,CAAC,CAAA,KAAO,CAAA,EAAA,CAAA;AAE9E,IAAA,IAAI,SAAA,EAAW;AACb,MAAA,IAAA,CAAK,MAAA,CAAO,KAAA;AAAA,QACV;AAAA,OACF;AACA,MAAA,OAAA,CAAQ,KAAK,CAAC,CAAA;AAAA,IAChB;AAAA,EACF;AACF","file":"index.js","sourcesContent":["import type { PluginObj } from '@babel/core';\nimport * as babel from '@babel/core';\n\n/**\n * Babel plugin that transforms Mastra exports for Cloudflare Workers compatibility.\n *\n * This plugin:\n * 1. Identifies named exports of the 'mastra' variable\n * 2. Checks if the export is a new instance of the 'Mastra' class\n * 3. Wraps the Mastra instantiation in an arrow function to ensure proper initialization\n * in the Cloudflare Workers environment\n *\n * The transformation ensures the Mastra instance is properly scoped and initialized\n * for each request in the Cloudflare Workers environment.\n *\n * @returns {PluginObj} A Babel plugin object with a visitor that performs the transformation\n *\n * @example\n * // Before transformation:\n * export const mastra = new Mastra();\n *\n * // After transformation:\n * export const mastra = () => new Mastra();\n */\nexport function mastraInstanceWrapper(): PluginObj {\n const exportName = 'mastra';\n const className = 'Mastra';\n const t = babel.types;\n\n return {\n name: 'wrap-mastra',\n visitor: {\n ExportNamedDeclaration(path) {\n if (t.isVariableDeclaration(path.node?.declaration)) {\n for (const declaration of path.node.declaration.declarations) {\n if (\n t.isIdentifier(declaration?.id, { name: exportName }) &&\n t.isNewExpression(declaration?.init) &&\n t.isIdentifier(declaration.init.callee, { name: className })\n ) {\n declaration.init = t.arrowFunctionExpression([], declaration.init);\n // there should be only one \"mastra\" export, so we can exit the loop\n break;\n }\n }\n }\n },\n },\n } as PluginObj;\n}\n","import { transformSync } from '@babel/core';\nimport type { Plugin } from 'rollup';\nimport { mastraInstanceWrapper as mastraInstanceWrapperBabel } from '../babel/mastra-instance-wrapper';\n\nexport function mastraInstanceWrapper(mastraEntryFile: string): Plugin {\n return {\n name: 'mastra-wrapper',\n transform(code, id) {\n if (id !== mastraEntryFile) {\n return null;\n }\n\n const result = transformSync(code, {\n filename: id,\n babelrc: false,\n configFile: false,\n plugins: [mastraInstanceWrapperBabel],\n });\n\n if (!result?.code) {\n throw new Error('mastra-wrapper plugin did not return code, there is likely a bug in the plugin.');\n }\n\n return {\n code: result.code,\n map: result?.map,\n };\n },\n };\n}\n","import type { NodePath, PluginObj } from '@babel/core';\nimport * as babel from '@babel/core';\nimport type { NewExpression } from '@babel/types';\n\n/**\n * Babel plugin that enforces singleton PostgresStore instances in Cloudflare Workers.\n *\n * This plugin:\n * 1. Scans for all `new PostgresStore()` instantiations\n * 2. Records their file locations\n * 3. Throws an error if multiple instances are found\n *\n * Cloudflare Workers should only create one PostgresStore instance to avoid connection\n * pool exhaustion and ensure proper resource management.\n *\n * @returns {PluginObj} A Babel plugin object that validates PostgresStore usage\n *\n * @example\n * // Throws error if multiple instances found:\n * const store1 = new PostgresStore();\n * const store2 = new PostgresStore(); // Error thrown here\n */\nexport function postgresStoreInstanceChecker(): PluginObj {\n const t = babel.types;\n const instances: { path: NodePath<NewExpression>; location: string }[] = [];\n\n return {\n name: 'postgresstore-instance-checker',\n visitor: {\n NewExpression(path, state) {\n if (t.isIdentifier(path.node.callee) && path.node.callee.name === 'PostgresStore') {\n const filename = state.file?.opts?.filename || 'unknown file';\n const location = path.node.loc\n ? `${filename}: line ${path.node.loc.start.line}, column ${path.node.loc.start.column}`\n : 'unknown location';\n\n instances.push({\n path,\n location,\n });\n }\n },\n },\n post() {\n if (instances.length > 1) {\n const errorMessage = [\n `Found ${instances.length} PostgresStore instantiations:`,\n ...instances.map((instance, i) => ` ${i + 1}. At ${instance.location}`),\n 'Only one PostgresStore instance should be created per Cloudflare Worker.',\n ].join('\\n');\n\n const lastInstance = instances[instances.length - 1];\n throw lastInstance?.path.buildCodeFrameError(errorMessage);\n }\n },\n } as PluginObj;\n}\n","import { transformSync } from '@babel/core';\nimport type { Plugin } from 'rollup';\nimport { postgresStoreInstanceChecker as postgresStoreInstanceCheckerBabel } from '../babel/postgres-store-instance-checker';\n\nexport function postgresStoreInstanceChecker(): Plugin {\n return {\n name: 'postgres-store-instance-checker',\n transform(code, id) {\n const result = transformSync(code, {\n filename: id,\n babelrc: false,\n configFile: false,\n plugins: [postgresStoreInstanceCheckerBabel],\n });\n\n // If Babel didn't transform anything or returned no code, pass through original source.\n if (!result || typeof result.code !== 'string') {\n return null;\n }\n\n return {\n code: result.code,\n map: result.map ?? null,\n };\n },\n };\n}\n","import { writeFile } from 'node:fs/promises';\nimport { join } from 'node:path';\nimport { Deployer } from '@mastra/deployer';\nimport type { analyzeBundle } from '@mastra/deployer/analyze';\nimport type { BundlerOptions } from '@mastra/deployer/bundler';\nimport virtual from '@rollup/plugin-virtual';\nimport type { Unstable_RawConfig } from 'wrangler'; // Unstable_RawConfig is unstable, and no stable alternative exists. However, `wrangler` is a peerDep, allowing users to use latest properties.\nimport { mastraInstanceWrapper } from './plugins/mastra-instance-wrapper';\nimport { postgresStoreInstanceChecker } from './plugins/postgres-store-instance-checker';\n\n/** @deprecated TODO remove deprecated fields in next major version */\ninterface D1DatabaseBinding {\n binding: string;\n database_name: string;\n database_id: string;\n preview_database_id?: string;\n}\n\n/** @deprecated TODO remove deprecated fields in next major version */\ninterface KVNamespaceBinding {\n binding: string;\n id: string;\n}\n\nexport class CloudflareDeployer extends Deployer {\n readonly userConfig: Omit<Unstable_RawConfig, 'main'>;\n\n constructor(\n userConfig: Omit<Unstable_RawConfig, 'main'> &\n // TODO remove deprecated fields in next major version\n {\n /** @deprecated `name` instead. */\n projectName?: string;\n /** @deprecated this parameter is not used internally. */\n workerNamespace?: string;\n /** @deprecated use `d1_databases` instead. */\n d1Databases?: D1DatabaseBinding[];\n /** @deprecated use `kv_namespaces` instead. */\n kvNamespaces?: KVNamespaceBinding[];\n },\n ) {\n super({ name: 'CLOUDFLARE' });\n\n this.userConfig = { ...userConfig };\n\n if (userConfig.workerNamespace) {\n console.warn('[CloudflareDeployer]: `workerNamespace` is no longer used');\n }\n if (!userConfig.name && userConfig.projectName) {\n this.userConfig.name = userConfig.projectName;\n console.warn('[CloudflareDeployer]: `projectName` is deprecated, use `name` instead');\n }\n if (!userConfig.d1_databases && userConfig.d1Databases) {\n this.userConfig.d1_databases = userConfig.d1Databases;\n console.warn('[CloudflareDeployer]: `d1Databases` is deprecated, use `d1_databases` instead');\n }\n if (!userConfig.kv_namespaces && userConfig.kvNamespaces) {\n this.userConfig.kv_namespaces = userConfig.kvNamespaces;\n console.warn('[CloudflareDeployer]: `kvNamespaces` is deprecated, use `kv_namespaces` instead');\n }\n }\n\n async writeFiles(outputDirectory: string): Promise<void> {\n const { vars: userVars, ...userConfig } = this.userConfig;\n const loadedEnvVars = await this.loadEnvVars();\n\n // Merge env vars from .env files with user-provided vars\n const envsAsObject = Object.assign({}, Object.fromEntries(loadedEnvVars.entries()), userVars);\n\n const wranglerConfig: Unstable_RawConfig = {\n name: 'mastra',\n compatibility_date: '2025-04-01',\n compatibility_flags: ['nodejs_compat', 'nodejs_compat_populate_process_env'],\n observability: {\n logs: {\n enabled: true,\n },\n },\n ...userConfig,\n main: './index.mjs',\n vars: envsAsObject,\n };\n\n await writeFile(join(outputDirectory, this.outputDir, 'wrangler.json'), JSON.stringify(wranglerConfig));\n }\n\n private getEntry(): string {\n return `\n import '#polyfills';\n import { scoreTracesWorkflow } from '@mastra/core/evals/scoreTraces';\n\n export default {\n fetch: async (request, env, context) => {\n const { mastra } = await import('#mastra');\n const { tools } = await import('#tools');\n const {createHonoServer, getToolExports} = await import('#server');\n const _mastra = mastra();\n\n if (_mastra.getStorage()) {\n _mastra.__registerInternalWorkflow(scoreTracesWorkflow);\n }\n\n const app = await createHonoServer(_mastra, { tools: getToolExports(tools) });\n return app.fetch(request, env, context);\n }\n }\n`;\n }\n async prepare(outputDirectory: string): Promise<void> {\n await super.prepare(outputDirectory);\n await this.writeFiles(outputDirectory);\n }\n\n protected async getBundlerOptions(\n serverFile: string,\n mastraEntryFile: string,\n analyzedBundleInfo: Awaited<ReturnType<typeof analyzeBundle>>,\n toolsPaths: (string | string[])[],\n bundlerOptions: BundlerOptions,\n ) {\n const inputOptions = await super.getBundlerOptions(serverFile, mastraEntryFile, analyzedBundleInfo, toolsPaths, {\n ...bundlerOptions,\n enableEsmShim: false,\n });\n\n const hasPostgresStore = (await this.deps.checkDependencies(['@mastra/pg'])) === `ok`;\n\n if (Array.isArray(inputOptions.plugins)) {\n inputOptions.plugins = [\n virtual({\n '#polyfills': `\nprocess.versions = process.versions || {};\nprocess.versions.node = '${process.versions.node}';\n `,\n }),\n ...inputOptions.plugins,\n mastraInstanceWrapper(mastraEntryFile),\n ];\n\n if (hasPostgresStore) {\n inputOptions.plugins.push(postgresStoreInstanceChecker());\n }\n }\n\n return inputOptions;\n }\n\n async bundle(\n entryFile: string,\n outputDirectory: string,\n { toolsPaths, projectRoot }: { toolsPaths: (string | string[])[]; projectRoot: string },\n ): Promise<void> {\n return this._bundle(this.getEntry(), entryFile, { outputDirectory, projectRoot, enableEsmShim: false }, toolsPaths);\n }\n\n async deploy(): Promise<void> {\n this.logger?.info('Deploying to Cloudflare failed. Please use the Cloudflare dashboard to deploy.');\n }\n\n async tagWorker(): Promise<void> {\n throw new Error('tagWorker method is no longer supported. Use the Cloudflare dashboard or API directly.');\n }\n\n async lint(entryFile: string, outputDirectory: string, toolsPaths: (string | string[])[]): Promise<void> {\n await super.lint(entryFile, outputDirectory, toolsPaths);\n\n const hasLibsql = (await this.deps.checkDependencies(['@mastra/libsql'])) === `ok`;\n\n if (hasLibsql) {\n this.logger.error(\n 'Cloudflare Deployer does not support @libsql/client (which may have been installed by @mastra/libsql) as a dependency. Please use Cloudflare D1 instead: @mastra/cloudflare-d1.',\n );\n process.exit(1);\n }\n }\n}\n"]}
@@ -0,0 +1,5 @@
1
+ export const mastra: Mastra<{
2
+ weatherAgent: any;
3
+ }, Record<string, import("@mastra/core/workflows").Workflow<any, any, any, any, any, any, any>>, Record<string, import("@mastra/core/vector").MastraVector<any>>, Record<string, import("@mastra/core/tts").MastraTTS>, import("@mastra/core/logger").ConsoleLogger, Record<string, import("@mastra/core/mcp").MCPServerBase<any>>, Record<string, import("@mastra/core/evals").MastraScorer<any, any, any, any>>, Record<string, import("@mastra/core/tools").ToolAction<any, any, any, any, any, any>>, Record<string, import("@mastra/core/processors").Processor<any, unknown>>, Record<string, import("@mastra/core/memory").MastraMemory>>;
4
+ import { Mastra } from '@mastra/core/mastra';
5
+ //# sourceMappingURL=basic.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"basic.d.ts","sourceRoot":"","sources":["../../../src/plugins/__fixtures__/basic.js"],"names":[],"mappings":"AAOA;;inBAuBG;uBA7BoB,qBAAqB"}
@@ -0,0 +1,3 @@
1
+ export const mastra: Mastra<Record<string, import("@mastra/core/agent").Agent<any, import("@mastra/core/agent").ToolsInput, undefined>>, Record<string, import("@mastra/core/workflows").Workflow<any, any, any, any, any, any, any>>, Record<string, import("@mastra/core/vector").MastraVector<any>>, Record<string, import("@mastra/core/tts").MastraTTS>, import("@mastra/core/logger").IMastraLogger, Record<string, import("@mastra/core/mcp").MCPServerBase<any>>, Record<string, import("@mastra/core/evals").MastraScorer<any, any, any, any>>, Record<string, import("@mastra/core/tools").ToolAction<any, any, any, any, any, any>>, Record<string, import("@mastra/core/processors").Processor<any, unknown>>, Record<string, import("@mastra/core/memory").MastraMemory>>;
2
+ import { Mastra } from '@mastra/core/mastra';
3
+ //# sourceMappingURL=empty-mastra.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"empty-mastra.d.ts","sourceRoot":"","sources":["../../../src/plugins/__fixtures__/empty-mastra.js"],"names":[],"mappings":"AACA,uvBAAmC;uBADZ,qBAAqB"}
@@ -0,0 +1,6 @@
1
+ export const storage: any;
2
+ export const mastra: Mastra<{
3
+ weatherAgent: any;
4
+ }, Record<string, import("@mastra/core/workflows").Workflow<any, any, any, any, any, any, any>>, Record<string, import("@mastra/core/vector").MastraVector<any>>, Record<string, import("@mastra/core/tts").MastraTTS>, import("@mastra/core/logger").ConsoleLogger, Record<string, import("@mastra/core/mcp").MCPServerBase<any>>, Record<string, import("@mastra/core/evals").MastraScorer<any, any, any, any>>, Record<string, import("@mastra/core/tools").ToolAction<any, any, any, any, any, any>>, Record<string, import("@mastra/core/processors").Processor<any, unknown>>, Record<string, import("@mastra/core/memory").MastraMemory>>;
5
+ import { Mastra } from '@mastra/core/mastra';
6
+ //# sourceMappingURL=multiple-postgres-stores.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"multiple-postgres-stores.d.ts","sourceRoot":"","sources":["../../../src/plugins/__fixtures__/multiple-postgres-stores.js"],"names":[],"mappings":"AAOA,0BAEG;AAEH;;inBAuBG;uBAjCoB,qBAAqB"}
@@ -0,0 +1,3 @@
1
+ import type { Plugin } from 'rollup';
2
+ export declare function mastraInstanceWrapper(mastraEntryFile: string): Plugin;
3
+ //# sourceMappingURL=mastra-instance-wrapper.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"mastra-instance-wrapper.d.ts","sourceRoot":"","sources":["../../src/plugins/mastra-instance-wrapper.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,MAAM,EAAE,MAAM,QAAQ,CAAC;AAGrC,wBAAgB,qBAAqB,CAAC,eAAe,EAAE,MAAM,GAAG,MAAM,CAyBrE"}
@@ -0,0 +1,3 @@
1
+ import type { Plugin } from 'rollup';
2
+ export declare function postgresStoreInstanceChecker(): Plugin;
3
+ //# sourceMappingURL=postgres-store-instance-checker.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"postgres-store-instance-checker.d.ts","sourceRoot":"","sources":["../../src/plugins/postgres-store-instance-checker.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,MAAM,EAAE,MAAM,QAAQ,CAAC;AAGrC,wBAAgB,4BAA4B,IAAI,MAAM,CAsBrD"}
@@ -87,3 +87,5 @@ var CloudflareSecretsManager = class {
87
87
  };
88
88
 
89
89
  exports.CloudflareSecretsManager = CloudflareSecretsManager;
90
+ //# sourceMappingURL=index.cjs.map
91
+ //# sourceMappingURL=index.cjs.map
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../../src/secrets-manager/index.ts"],"names":[],"mappings":";;;AAAO,IAAM,2BAAN,MAA+B;AAAA,EACpC,SAAA;AAAA,EACA,QAAA;AAAA,EACA,OAAA;AAAA,EAEA,WAAA,CAAY,EAAE,SAAA,EAAW,QAAA,EAAS,EAA4C;AAC5E,IAAA,IAAA,CAAK,SAAA,GAAY,SAAA;AACjB,IAAA,IAAA,CAAK,QAAA,GAAW,QAAA;AAChB,IAAA,IAAA,CAAK,OAAA,GAAU,sCAAA;AAAA,EACjB;AAAA,EAEA,MAAM,YAAA,CAAa;AAAA,IACjB,QAAA;AAAA,IACA,UAAA;AAAA,IACA;AAAA,GACF,EAIG;AACD,IAAA,MAAM,GAAA,GAAM,GAAG,IAAA,CAAK,OAAO,aAAa,IAAA,CAAK,SAAS,oBAAoB,QAAQ,CAAA,QAAA,CAAA;AAElF,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,MAAA,EAAQ,KAAA;AAAA,QACR,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA,CAAA;AAAA,UACtC,cAAA,EAAgB;AAAA,SAClB;AAAA,QACA,IAAA,EAAM,KAAK,SAAA,CAAU;AAAA,UACnB,IAAA,EAAM,UAAA;AAAA,UACN,IAAA,EAAM;AAAA,SACP;AAAA,OACF,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,4BAA4B,KAAK,CAAA;AAC/C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AAAA,EAEA,MAAM,oBAAA,CAAqB;AAAA,IACzB,QAAA;AAAA,IACA,UAAA;AAAA,IACA;AAAA,GACF,EAIG;AACD,IAAA,MAAM,UAAA,GAAa,CAAA,QAAA,EAAW,UAAA,CAAW,WAAA,EAAa,CAAA,CAAA;AACtD,IAAA,MAAM,WAAA,GAAc,IAAA,CAAK,SAAA,CAAU,OAAO,CAAA;AAE1C,IAAA,OAAO,KAAK,YAAA,CAAa,EAAE,QAAA,EAAU,UAAA,EAAY,aAAa,CAAA;AAAA,EAChE;AAAA,EAEA,MAAM,YAAA,CAAa,EAAE,QAAA,EAAU,YAAW,EAA6C;AACrF,IAAA,MAAM,GAAA,GAAM,CAAA,EAAG,IAAA,CAAK,OAAO,CAAA,UAAA,EAAa,KAAK,SAAS,CAAA,iBAAA,EAAoB,QAAQ,CAAA,SAAA,EAAY,UAAU,CAAA,CAAA;AAExG,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,MAAA,EAAQ,QAAA;AAAA,QACR,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA;AAAA;AACxC,OACD,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,4BAA4B,KAAK,CAAA;AAC/C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AAAA,EAEA,MAAM,YAAY,QAAA,EAAkB;AAClC,IAAA,MAAM,GAAA,GAAM,GAAG,IAAA,CAAK,OAAO,aAAa,IAAA,CAAK,SAAS,oBAAoB,QAAQ,CAAA,QAAA,CAAA;AAElF,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA;AAAA;AACxC,OACD,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,2BAA2B,KAAK,CAAA;AAC9C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AACF","file":"index.cjs","sourcesContent":["export class CloudflareSecretsManager {\n accountId: string;\n apiToken: string;\n baseUrl: string;\n\n constructor({ accountId, apiToken }: { accountId: string; apiToken: string }) {\n this.accountId = accountId;\n this.apiToken = apiToken;\n this.baseUrl = 'https://api.cloudflare.com/client/v4';\n }\n\n async createSecret({\n workerId,\n secretName,\n secretValue,\n }: {\n workerId: string;\n secretName: string;\n secretValue: string;\n }) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets`;\n\n try {\n const response = await fetch(url, {\n method: 'PUT',\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n 'Content-Type': 'application/json',\n },\n body: JSON.stringify({\n name: secretName,\n text: secretValue,\n }),\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to create secret:', error);\n throw error;\n }\n }\n\n async createProjectSecrets({\n workerId,\n customerId,\n envVars,\n }: {\n workerId: string;\n customerId: string;\n envVars: Record<string, string>;\n }) {\n const secretName = `PROJECT_${customerId.toUpperCase()}`;\n const secretValue = JSON.stringify(envVars);\n\n return this.createSecret({ workerId, secretName, secretValue });\n }\n\n async deleteSecret({ workerId, secretName }: { workerId: string; secretName: string }) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets/${secretName}`;\n\n try {\n const response = await fetch(url, {\n method: 'DELETE',\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n },\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to delete secret:', error);\n throw error;\n }\n }\n\n async listSecrets(workerId: string) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets`;\n\n try {\n const response = await fetch(url, {\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n },\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to list secrets:', error);\n throw error;\n }\n }\n}\n"]}
@@ -1 +1,25 @@
1
- export { CloudflareSecretsManager } from '../_tsup-dts-rollup.js';
1
+ export declare class CloudflareSecretsManager {
2
+ accountId: string;
3
+ apiToken: string;
4
+ baseUrl: string;
5
+ constructor({ accountId, apiToken }: {
6
+ accountId: string;
7
+ apiToken: string;
8
+ });
9
+ createSecret({ workerId, secretName, secretValue, }: {
10
+ workerId: string;
11
+ secretName: string;
12
+ secretValue: string;
13
+ }): Promise<any>;
14
+ createProjectSecrets({ workerId, customerId, envVars, }: {
15
+ workerId: string;
16
+ customerId: string;
17
+ envVars: Record<string, string>;
18
+ }): Promise<any>;
19
+ deleteSecret({ workerId, secretName }: {
20
+ workerId: string;
21
+ secretName: string;
22
+ }): Promise<any>;
23
+ listSecrets(workerId: string): Promise<any>;
24
+ }
25
+ //# sourceMappingURL=index.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"index.d.ts","sourceRoot":"","sources":["../../src/secrets-manager/index.ts"],"names":[],"mappings":"AAAA,qBAAa,wBAAwB;IACnC,SAAS,EAAE,MAAM,CAAC;IAClB,QAAQ,EAAE,MAAM,CAAC;IACjB,OAAO,EAAE,MAAM,CAAC;gBAEJ,EAAE,SAAS,EAAE,QAAQ,EAAE,EAAE;QAAE,SAAS,EAAE,MAAM,CAAC;QAAC,QAAQ,EAAE,MAAM,CAAA;KAAE;IAMtE,YAAY,CAAC,EACjB,QAAQ,EACR,UAAU,EACV,WAAW,GACZ,EAAE;QACD,QAAQ,EAAE,MAAM,CAAC;QACjB,UAAU,EAAE,MAAM,CAAC;QACnB,WAAW,EAAE,MAAM,CAAC;KACrB;IA6BK,oBAAoB,CAAC,EACzB,QAAQ,EACR,UAAU,EACV,OAAO,GACR,EAAE;QACD,QAAQ,EAAE,MAAM,CAAC;QACjB,UAAU,EAAE,MAAM,CAAC;QACnB,OAAO,EAAE,MAAM,CAAC,MAAM,EAAE,MAAM,CAAC,CAAC;KACjC;IAOK,YAAY,CAAC,EAAE,QAAQ,EAAE,UAAU,EAAE,EAAE;QAAE,QAAQ,EAAE,MAAM,CAAC;QAAC,UAAU,EAAE,MAAM,CAAA;KAAE;IAwB/E,WAAW,CAAC,QAAQ,EAAE,MAAM;CAsBnC"}
@@ -85,3 +85,5 @@ var CloudflareSecretsManager = class {
85
85
  };
86
86
 
87
87
  export { CloudflareSecretsManager };
88
+ //# sourceMappingURL=index.js.map
89
+ //# sourceMappingURL=index.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../../src/secrets-manager/index.ts"],"names":[],"mappings":";AAAO,IAAM,2BAAN,MAA+B;AAAA,EACpC,SAAA;AAAA,EACA,QAAA;AAAA,EACA,OAAA;AAAA,EAEA,WAAA,CAAY,EAAE,SAAA,EAAW,QAAA,EAAS,EAA4C;AAC5E,IAAA,IAAA,CAAK,SAAA,GAAY,SAAA;AACjB,IAAA,IAAA,CAAK,QAAA,GAAW,QAAA;AAChB,IAAA,IAAA,CAAK,OAAA,GAAU,sCAAA;AAAA,EACjB;AAAA,EAEA,MAAM,YAAA,CAAa;AAAA,IACjB,QAAA;AAAA,IACA,UAAA;AAAA,IACA;AAAA,GACF,EAIG;AACD,IAAA,MAAM,GAAA,GAAM,GAAG,IAAA,CAAK,OAAO,aAAa,IAAA,CAAK,SAAS,oBAAoB,QAAQ,CAAA,QAAA,CAAA;AAElF,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,MAAA,EAAQ,KAAA;AAAA,QACR,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA,CAAA;AAAA,UACtC,cAAA,EAAgB;AAAA,SAClB;AAAA,QACA,IAAA,EAAM,KAAK,SAAA,CAAU;AAAA,UACnB,IAAA,EAAM,UAAA;AAAA,UACN,IAAA,EAAM;AAAA,SACP;AAAA,OACF,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,4BAA4B,KAAK,CAAA;AAC/C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AAAA,EAEA,MAAM,oBAAA,CAAqB;AAAA,IACzB,QAAA;AAAA,IACA,UAAA;AAAA,IACA;AAAA,GACF,EAIG;AACD,IAAA,MAAM,UAAA,GAAa,CAAA,QAAA,EAAW,UAAA,CAAW,WAAA,EAAa,CAAA,CAAA;AACtD,IAAA,MAAM,WAAA,GAAc,IAAA,CAAK,SAAA,CAAU,OAAO,CAAA;AAE1C,IAAA,OAAO,KAAK,YAAA,CAAa,EAAE,QAAA,EAAU,UAAA,EAAY,aAAa,CAAA;AAAA,EAChE;AAAA,EAEA,MAAM,YAAA,CAAa,EAAE,QAAA,EAAU,YAAW,EAA6C;AACrF,IAAA,MAAM,GAAA,GAAM,CAAA,EAAG,IAAA,CAAK,OAAO,CAAA,UAAA,EAAa,KAAK,SAAS,CAAA,iBAAA,EAAoB,QAAQ,CAAA,SAAA,EAAY,UAAU,CAAA,CAAA;AAExG,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,MAAA,EAAQ,QAAA;AAAA,QACR,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA;AAAA;AACxC,OACD,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,4BAA4B,KAAK,CAAA;AAC/C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AAAA,EAEA,MAAM,YAAY,QAAA,EAAkB;AAClC,IAAA,MAAM,GAAA,GAAM,GAAG,IAAA,CAAK,OAAO,aAAa,IAAA,CAAK,SAAS,oBAAoB,QAAQ,CAAA,QAAA,CAAA;AAElF,IAAA,IAAI;AACF,MAAA,MAAM,QAAA,GAAW,MAAM,KAAA,CAAM,GAAA,EAAK;AAAA,QAChC,OAAA,EAAS;AAAA,UACP,aAAA,EAAe,CAAA,OAAA,EAAU,IAAA,CAAK,QAAQ,CAAA;AAAA;AACxC,OACD,CAAA;AAED,MAAA,MAAM,IAAA,GAAQ,MAAM,QAAA,CAAS,IAAA,EAAK;AAElC,MAAA,IAAI,CAAC,KAAK,OAAA,EAAS;AACjB,QAAA,MAAM,IAAI,KAAA,CAAM,IAAA,CAAK,MAAA,CAAO,CAAC,EAAE,OAAO,CAAA;AAAA,MACxC;AAEA,MAAA,OAAO,IAAA,CAAK,MAAA;AAAA,IACd,SAAS,KAAA,EAAO;AACd,MAAA,OAAA,CAAQ,KAAA,CAAM,2BAA2B,KAAK,CAAA;AAC9C,MAAA,MAAM,KAAA;AAAA,IACR;AAAA,EACF;AACF","file":"index.js","sourcesContent":["export class CloudflareSecretsManager {\n accountId: string;\n apiToken: string;\n baseUrl: string;\n\n constructor({ accountId, apiToken }: { accountId: string; apiToken: string }) {\n this.accountId = accountId;\n this.apiToken = apiToken;\n this.baseUrl = 'https://api.cloudflare.com/client/v4';\n }\n\n async createSecret({\n workerId,\n secretName,\n secretValue,\n }: {\n workerId: string;\n secretName: string;\n secretValue: string;\n }) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets`;\n\n try {\n const response = await fetch(url, {\n method: 'PUT',\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n 'Content-Type': 'application/json',\n },\n body: JSON.stringify({\n name: secretName,\n text: secretValue,\n }),\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to create secret:', error);\n throw error;\n }\n }\n\n async createProjectSecrets({\n workerId,\n customerId,\n envVars,\n }: {\n workerId: string;\n customerId: string;\n envVars: Record<string, string>;\n }) {\n const secretName = `PROJECT_${customerId.toUpperCase()}`;\n const secretValue = JSON.stringify(envVars);\n\n return this.createSecret({ workerId, secretName, secretValue });\n }\n\n async deleteSecret({ workerId, secretName }: { workerId: string; secretName: string }) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets/${secretName}`;\n\n try {\n const response = await fetch(url, {\n method: 'DELETE',\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n },\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to delete secret:', error);\n throw error;\n }\n }\n\n async listSecrets(workerId: string) {\n const url = `${this.baseUrl}/accounts/${this.accountId}/workers/scripts/${workerId}/secrets`;\n\n try {\n const response = await fetch(url, {\n headers: {\n Authorization: `Bearer ${this.apiToken}`,\n },\n });\n\n const data = (await response.json()) as { success: boolean; result: any; errors: any[] };\n\n if (!data.success) {\n throw new Error(data.errors[0].message);\n }\n\n return data.result;\n } catch (error) {\n console.error('Failed to list secrets:', error);\n throw error;\n }\n }\n}\n"]}
package/package.json CHANGED
@@ -1,10 +1,11 @@
1
1
  {
2
2
  "name": "@mastra/deployer-cloudflare",
3
- "version": "0.0.0-tsconfig-compile-20250703214351",
3
+ "version": "0.0.0-type-testing-20260120105120",
4
4
  "description": "",
5
5
  "type": "module",
6
6
  "files": [
7
- "dist"
7
+ "dist",
8
+ "CHANGELOG.md"
8
9
  ],
9
10
  "main": "dist/index.js",
10
11
  "types": "dist/index.d.ts",
@@ -15,7 +16,7 @@
15
16
  "default": "./dist/index.js"
16
17
  },
17
18
  "require": {
18
- "types": "./dist/index.d.cts",
19
+ "types": "./dist/index.d.ts",
19
20
  "default": "./dist/index.cjs"
20
21
  }
21
22
  },
@@ -25,7 +26,7 @@
25
26
  "default": "./dist/secrets-manager/index.js"
26
27
  },
27
28
  "require": {
28
- "types": "./dist/secrets-manager/index.d.cts",
29
+ "types": "./dist/secrets-manager/index.d.ts",
29
30
  "default": "./dist/secrets-manager/index.cjs"
30
31
  }
31
32
  },
@@ -33,31 +34,56 @@
33
34
  },
34
35
  "keywords": [],
35
36
  "author": "",
36
- "license": "Elastic-2.0",
37
+ "license": "Apache-2.0",
37
38
  "dependencies": {
38
- "@babel/core": "^7.27.7",
39
- "@rollup/plugin-virtual": "^3.0.2",
40
- "cloudflare": "^4.4.1",
41
- "rollup": "^4.43.0",
42
- "zod": "^3.25.67",
43
- "@mastra/deployer": "0.0.0-tsconfig-compile-20250703214351"
39
+ "@babel/core": "^7.28.5",
40
+ "@rollup/plugin-virtual": "3.0.2",
41
+ "cloudflare": "^4.5.0",
42
+ "rollup": "~4.50.2",
43
+ "rollup-plugin-esbuild": "^6.2.1",
44
+ "@mastra/deployer": "0.0.0-type-testing-20260120105120"
44
45
  },
45
46
  "devDependencies": {
46
- "@microsoft/api-extractor": "^7.52.8",
47
- "@types/node": "^20.19.0",
48
- "eslint": "^9.29.0",
47
+ "@babel/types": "^7.28.5",
48
+ "@types/babel__core": "^7.20.5",
49
+ "@types/node": "22.13.17",
50
+ "@vitest/coverage-v8": "4.0.12",
51
+ "@vitest/ui": "4.0.12",
52
+ "eslint": "^9.37.0",
49
53
  "tsup": "^8.5.0",
50
- "typescript": "^5.8.3",
51
- "vitest": "^3.2.4",
52
- "@internal/lint": "0.0.0-tsconfig-compile-20250703214351",
53
- "@mastra/core": "0.0.0-tsconfig-compile-20250703214351"
54
+ "typescript": "^5.9.3",
55
+ "vitest": "4.0.16",
56
+ "wrangler": "^4.54.0",
57
+ "zod": "^3.25.76",
58
+ "@internal/lint": "0.0.0-type-testing-20260120105120",
59
+ "@internal/types-builder": "0.0.0-type-testing-20260120105120",
60
+ "@mastra/core": "0.0.0-type-testing-20260120105120"
61
+ },
62
+ "homepage": "https://mastra.ai",
63
+ "repository": {
64
+ "type": "git",
65
+ "url": "git+https://github.com/mastra-ai/mastra.git",
66
+ "directory": "deployers/cloudflare"
67
+ },
68
+ "bugs": {
69
+ "url": "https://github.com/mastra-ai/mastra/issues"
54
70
  },
55
71
  "peerDependencies": {
56
- "@mastra/core": "0.0.0-tsconfig-compile-20250703214351"
72
+ "wrangler": "^4.0.0",
73
+ "zod": "^3.25.0 || ^4.0.0",
74
+ "@mastra/core": "0.0.0-type-testing-20260120105120"
75
+ },
76
+ "peerDependenciesMeta": {
77
+ "wrangler": {
78
+ "optional": true
79
+ }
80
+ },
81
+ "engines": {
82
+ "node": ">=22.13.0"
57
83
  },
58
84
  "scripts": {
59
- "build": "tsup src/index.ts src/secrets-manager/index.ts --format esm,cjs --experimental-dts --clean --treeshake=smallest --splitting",
60
- "build:watch": "pnpm build --watch",
85
+ "build": "tsup --silent --config tsup.config.ts",
86
+ "build:watch": "tsup --watch --silent --config tsup.config.ts",
61
87
  "test": "vitest run",
62
88
  "lint": "eslint ."
63
89
  }