@prisma-next/cli 0.1.0-dev.3 → 0.1.0-dev.30
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/README.md +237 -31
- package/dist/{chunk-4Q3MO4TK.js → chunk-464LNZCE.js} +3 -3
- package/dist/chunk-464LNZCE.js.map +1 -0
- package/dist/{chunk-3EODSNGS.js → chunk-BZMBKEEQ.js} +157 -74
- package/dist/chunk-BZMBKEEQ.js.map +1 -0
- package/dist/chunk-C7QQMZ3I.js +94 -0
- package/dist/chunk-C7QQMZ3I.js.map +1 -0
- package/dist/cli.js +669 -167
- package/dist/cli.js.map +1 -1
- package/dist/commands/contract-emit.js +2 -2
- package/dist/commands/db-init.d.ts +5 -0
- package/dist/commands/db-init.js +341 -0
- package/dist/commands/db-init.js.map +1 -0
- package/dist/commands/db-introspect.js +18 -9
- package/dist/commands/db-introspect.js.map +1 -1
- package/dist/commands/db-schema-verify.js +32 -15
- package/dist/commands/db-schema-verify.js.map +1 -1
- package/dist/commands/db-sign.js +39 -26
- package/dist/commands/db-sign.js.map +1 -1
- package/dist/commands/db-verify.js +14 -5
- package/dist/commands/db-verify.js.map +1 -1
- package/dist/index.d.ts +0 -2
- package/dist/index.js +3 -9
- package/dist/index.js.map +1 -1
- package/package.json +18 -14
- package/dist/chunk-3EODSNGS.js.map +0 -1
- package/dist/chunk-4Q3MO4TK.js.map +0 -1
- package/dist/chunk-W5YXBFPY.js +0 -96
- package/dist/chunk-W5YXBFPY.js.map +0 -1
- package/dist/pack-loading.d.ts +0 -6
- package/dist/pack-loading.js +0 -9
- package/dist/pack-loading.js.map +0 -1
|
@@ -0,0 +1,341 @@
|
|
|
1
|
+
import {
|
|
2
|
+
assertContractRequirementsSatisfied,
|
|
3
|
+
assertFrameworkComponentsCompatible
|
|
4
|
+
} from "../chunk-C7QQMZ3I.js";
|
|
5
|
+
import {
|
|
6
|
+
errorContractValidationFailed,
|
|
7
|
+
errorDatabaseUrlRequired,
|
|
8
|
+
errorDriverRequired,
|
|
9
|
+
errorFileNotFound,
|
|
10
|
+
errorJsonFormatNotSupported,
|
|
11
|
+
errorMigrationPlanningFailed,
|
|
12
|
+
errorRuntime,
|
|
13
|
+
errorTargetMigrationNotSupported,
|
|
14
|
+
errorUnexpected,
|
|
15
|
+
formatCommandHelp,
|
|
16
|
+
formatDbInitApplyOutput,
|
|
17
|
+
formatDbInitJson,
|
|
18
|
+
formatDbInitPlanOutput,
|
|
19
|
+
formatStyledHeader,
|
|
20
|
+
handleResult,
|
|
21
|
+
parseGlobalFlags,
|
|
22
|
+
performAction,
|
|
23
|
+
setCommandDescriptions,
|
|
24
|
+
withSpinner
|
|
25
|
+
} from "../chunk-BZMBKEEQ.js";
|
|
26
|
+
import {
|
|
27
|
+
loadConfig
|
|
28
|
+
} from "../chunk-HWYQOCAJ.js";
|
|
29
|
+
|
|
30
|
+
// src/commands/db-init.ts
|
|
31
|
+
import { readFile } from "fs/promises";
|
|
32
|
+
import { relative, resolve } from "path";
|
|
33
|
+
import { redactDatabaseUrl } from "@prisma-next/utils/redact-db-url";
|
|
34
|
+
import { Command } from "commander";
|
|
35
|
+
function createDbInitCommand() {
|
|
36
|
+
const command = new Command("init");
|
|
37
|
+
setCommandDescriptions(
|
|
38
|
+
command,
|
|
39
|
+
"Bootstrap a database to match the current contract and write the contract marker",
|
|
40
|
+
"Initializes a database to match your emitted contract using additive-only operations.\nCreates any missing tables, columns, indexes, and constraints defined in your contract.\nLeaves existing compatible structures in place, surfaces conflicts when destructive changes\nwould be required, and writes a contract marker to track the database state. Use --plan to\npreview changes without applying."
|
|
41
|
+
);
|
|
42
|
+
command.configureHelp({
|
|
43
|
+
formatHelp: (cmd) => {
|
|
44
|
+
const flags = parseGlobalFlags({});
|
|
45
|
+
return formatCommandHelp({ command: cmd, flags });
|
|
46
|
+
}
|
|
47
|
+
}).option("--db <url>", "Database connection string").option("--config <path>", "Path to prisma-next.config.ts").option("--plan", "Preview planned operations without applying", false).option("--json [format]", "Output as JSON (object)", false).option("-q, --quiet", "Quiet mode: errors only").option("-v, --verbose", "Verbose output: debug info, timings").option("-vv, --trace", "Trace output: deep internals, stack traces").option("--timestamps", "Add timestamps to output").option("--color", "Force color output").option("--no-color", "Disable color output").action(async (options) => {
|
|
48
|
+
const flags = parseGlobalFlags(options);
|
|
49
|
+
const startTime = Date.now();
|
|
50
|
+
const result = await performAction(async () => {
|
|
51
|
+
if (flags.json === "ndjson") {
|
|
52
|
+
throw errorJsonFormatNotSupported({
|
|
53
|
+
command: "db init",
|
|
54
|
+
format: "ndjson",
|
|
55
|
+
supportedFormats: ["object"]
|
|
56
|
+
});
|
|
57
|
+
}
|
|
58
|
+
const config = await loadConfig(options.config);
|
|
59
|
+
const configPath = options.config ? relative(process.cwd(), resolve(options.config)) : "prisma-next.config.ts";
|
|
60
|
+
const contractPathAbsolute = config.contract?.output ? resolve(config.contract.output) : resolve("src/prisma/contract.json");
|
|
61
|
+
const contractPath = relative(process.cwd(), contractPathAbsolute);
|
|
62
|
+
if (flags.json !== "object" && !flags.quiet) {
|
|
63
|
+
const details = [
|
|
64
|
+
{ label: "config", value: configPath },
|
|
65
|
+
{ label: "contract", value: contractPath }
|
|
66
|
+
];
|
|
67
|
+
if (options.db) {
|
|
68
|
+
details.push({ label: "database", value: options.db });
|
|
69
|
+
}
|
|
70
|
+
if (options.plan) {
|
|
71
|
+
details.push({ label: "mode", value: "plan (dry run)" });
|
|
72
|
+
}
|
|
73
|
+
const header = formatStyledHeader({
|
|
74
|
+
command: "db init",
|
|
75
|
+
description: "Bootstrap a database to match the current contract",
|
|
76
|
+
url: "https://pris.ly/db-init",
|
|
77
|
+
details,
|
|
78
|
+
flags
|
|
79
|
+
});
|
|
80
|
+
console.log(header);
|
|
81
|
+
}
|
|
82
|
+
let contractJsonContent;
|
|
83
|
+
try {
|
|
84
|
+
contractJsonContent = await readFile(contractPathAbsolute, "utf-8");
|
|
85
|
+
} catch (error) {
|
|
86
|
+
if (error instanceof Error && error.code === "ENOENT") {
|
|
87
|
+
throw errorFileNotFound(contractPathAbsolute, {
|
|
88
|
+
why: `Contract file not found at ${contractPathAbsolute}`,
|
|
89
|
+
fix: `Run \`prisma-next contract emit\` to generate ${contractPath}, or update \`config.contract.output\` in ${configPath}`
|
|
90
|
+
});
|
|
91
|
+
}
|
|
92
|
+
throw errorUnexpected(error instanceof Error ? error.message : String(error), {
|
|
93
|
+
why: `Failed to read contract file: ${error instanceof Error ? error.message : String(error)}`
|
|
94
|
+
});
|
|
95
|
+
}
|
|
96
|
+
let contractJson;
|
|
97
|
+
try {
|
|
98
|
+
contractJson = JSON.parse(contractJsonContent);
|
|
99
|
+
} catch (error) {
|
|
100
|
+
throw errorContractValidationFailed(
|
|
101
|
+
`Contract JSON is invalid: ${error instanceof Error ? error.message : String(error)}`,
|
|
102
|
+
{ where: { path: contractPathAbsolute } }
|
|
103
|
+
);
|
|
104
|
+
}
|
|
105
|
+
const dbUrl = options.db ?? config.db?.url;
|
|
106
|
+
if (!dbUrl) {
|
|
107
|
+
throw errorDatabaseUrlRequired({
|
|
108
|
+
why: `Database URL is required for db init (set db.url in ${configPath}, or pass --db <url>)`
|
|
109
|
+
});
|
|
110
|
+
}
|
|
111
|
+
if (!config.driver) {
|
|
112
|
+
throw errorDriverRequired({ why: "Config.driver is required for db init" });
|
|
113
|
+
}
|
|
114
|
+
const driverDescriptor = config.driver;
|
|
115
|
+
if (!config.target.migrations) {
|
|
116
|
+
throw errorTargetMigrationNotSupported({
|
|
117
|
+
why: `Target "${config.target.id}" does not support migrations`
|
|
118
|
+
});
|
|
119
|
+
}
|
|
120
|
+
const migrations = config.target.migrations;
|
|
121
|
+
let driver;
|
|
122
|
+
try {
|
|
123
|
+
driver = await withSpinner(() => driverDescriptor.create(dbUrl), {
|
|
124
|
+
message: "Connecting to database...",
|
|
125
|
+
flags
|
|
126
|
+
});
|
|
127
|
+
} catch (error) {
|
|
128
|
+
const message = error instanceof Error ? error.message : String(error);
|
|
129
|
+
const code = error.code;
|
|
130
|
+
const redacted = redactDatabaseUrl(dbUrl);
|
|
131
|
+
throw errorRuntime("Database connection failed", {
|
|
132
|
+
why: message,
|
|
133
|
+
fix: "Verify the database URL, ensure the database is reachable, and confirm credentials/permissions",
|
|
134
|
+
meta: {
|
|
135
|
+
...typeof code !== "undefined" ? { code } : {},
|
|
136
|
+
...redacted
|
|
137
|
+
}
|
|
138
|
+
});
|
|
139
|
+
}
|
|
140
|
+
try {
|
|
141
|
+
const familyInstance = config.family.create({
|
|
142
|
+
target: config.target,
|
|
143
|
+
adapter: config.adapter,
|
|
144
|
+
driver: driverDescriptor,
|
|
145
|
+
extensionPacks: config.extensionPacks ?? []
|
|
146
|
+
});
|
|
147
|
+
const rawComponents = [config.target, config.adapter, ...config.extensionPacks ?? []];
|
|
148
|
+
const frameworkComponents = assertFrameworkComponentsCompatible(
|
|
149
|
+
config.family.familyId,
|
|
150
|
+
config.target.targetId,
|
|
151
|
+
rawComponents
|
|
152
|
+
);
|
|
153
|
+
const contractIR = familyInstance.validateContractIR(contractJson);
|
|
154
|
+
assertContractRequirementsSatisfied({
|
|
155
|
+
contract: contractIR,
|
|
156
|
+
family: config.family,
|
|
157
|
+
target: config.target,
|
|
158
|
+
adapter: config.adapter,
|
|
159
|
+
extensionPacks: config.extensionPacks
|
|
160
|
+
});
|
|
161
|
+
const planner = migrations.createPlanner(familyInstance);
|
|
162
|
+
const runner = migrations.createRunner(familyInstance);
|
|
163
|
+
const schemaIR = await withSpinner(() => familyInstance.introspect({ driver }), {
|
|
164
|
+
message: "Introspecting database schema...",
|
|
165
|
+
flags
|
|
166
|
+
});
|
|
167
|
+
const policy = { allowedOperationClasses: ["additive"] };
|
|
168
|
+
const plannerResult = await withSpinner(
|
|
169
|
+
async () => planner.plan({
|
|
170
|
+
contract: contractIR,
|
|
171
|
+
schema: schemaIR,
|
|
172
|
+
policy,
|
|
173
|
+
frameworkComponents
|
|
174
|
+
}),
|
|
175
|
+
{
|
|
176
|
+
message: "Planning migration...",
|
|
177
|
+
flags
|
|
178
|
+
}
|
|
179
|
+
);
|
|
180
|
+
if (plannerResult.kind === "failure") {
|
|
181
|
+
throw errorMigrationPlanningFailed({ conflicts: plannerResult.conflicts });
|
|
182
|
+
}
|
|
183
|
+
const migrationPlan = plannerResult.plan;
|
|
184
|
+
const existingMarker = await familyInstance.readMarker({ driver });
|
|
185
|
+
if (existingMarker) {
|
|
186
|
+
const markerMatchesDestination = existingMarker.coreHash === migrationPlan.destination.coreHash && (!migrationPlan.destination.profileHash || existingMarker.profileHash === migrationPlan.destination.profileHash);
|
|
187
|
+
if (markerMatchesDestination) {
|
|
188
|
+
const dbInitResult2 = {
|
|
189
|
+
ok: true,
|
|
190
|
+
mode: options.plan ? "plan" : "apply",
|
|
191
|
+
plan: {
|
|
192
|
+
targetId: migrationPlan.targetId,
|
|
193
|
+
destination: migrationPlan.destination,
|
|
194
|
+
operations: []
|
|
195
|
+
},
|
|
196
|
+
...options.plan ? {} : {
|
|
197
|
+
execution: { operationsPlanned: 0, operationsExecuted: 0 },
|
|
198
|
+
marker: {
|
|
199
|
+
coreHash: existingMarker.coreHash,
|
|
200
|
+
profileHash: existingMarker.profileHash
|
|
201
|
+
}
|
|
202
|
+
},
|
|
203
|
+
summary: "Database already at target contract state",
|
|
204
|
+
timings: { total: Date.now() - startTime }
|
|
205
|
+
};
|
|
206
|
+
return dbInitResult2;
|
|
207
|
+
}
|
|
208
|
+
const coreHashMismatch = existingMarker.coreHash !== migrationPlan.destination.coreHash;
|
|
209
|
+
const profileHashMismatch = migrationPlan.destination.profileHash && existingMarker.profileHash !== migrationPlan.destination.profileHash;
|
|
210
|
+
const mismatchParts = [];
|
|
211
|
+
if (coreHashMismatch) {
|
|
212
|
+
mismatchParts.push(
|
|
213
|
+
`coreHash (marker: ${existingMarker.coreHash}, destination: ${migrationPlan.destination.coreHash})`
|
|
214
|
+
);
|
|
215
|
+
}
|
|
216
|
+
if (profileHashMismatch) {
|
|
217
|
+
mismatchParts.push(
|
|
218
|
+
`profileHash (marker: ${existingMarker.profileHash}, destination: ${migrationPlan.destination.profileHash})`
|
|
219
|
+
);
|
|
220
|
+
}
|
|
221
|
+
throw errorRuntime(
|
|
222
|
+
`Existing contract marker does not match plan destination. Mismatch in ${mismatchParts.join(" and ")}.`,
|
|
223
|
+
{
|
|
224
|
+
why: "Database has an existing contract marker that does not match the target contract",
|
|
225
|
+
fix: "If bootstrapping, drop/reset the database then re-run `prisma-next db init`; otherwise reconcile schema/marker using your migration workflow",
|
|
226
|
+
meta: {
|
|
227
|
+
code: "MARKER_ORIGIN_MISMATCH",
|
|
228
|
+
markerCoreHash: existingMarker.coreHash,
|
|
229
|
+
destinationCoreHash: migrationPlan.destination.coreHash,
|
|
230
|
+
...existingMarker.profileHash ? { markerProfileHash: existingMarker.profileHash } : {},
|
|
231
|
+
...migrationPlan.destination.profileHash ? { destinationProfileHash: migrationPlan.destination.profileHash } : {}
|
|
232
|
+
}
|
|
233
|
+
}
|
|
234
|
+
);
|
|
235
|
+
}
|
|
236
|
+
if (options.plan) {
|
|
237
|
+
const dbInitResult2 = {
|
|
238
|
+
ok: true,
|
|
239
|
+
mode: "plan",
|
|
240
|
+
plan: {
|
|
241
|
+
targetId: migrationPlan.targetId,
|
|
242
|
+
destination: migrationPlan.destination,
|
|
243
|
+
operations: migrationPlan.operations.map((op) => ({
|
|
244
|
+
id: op.id,
|
|
245
|
+
label: op.label,
|
|
246
|
+
operationClass: op.operationClass
|
|
247
|
+
}))
|
|
248
|
+
},
|
|
249
|
+
summary: `Planned ${migrationPlan.operations.length} operation(s)`,
|
|
250
|
+
timings: { total: Date.now() - startTime }
|
|
251
|
+
};
|
|
252
|
+
return dbInitResult2;
|
|
253
|
+
}
|
|
254
|
+
if (!flags.quiet && flags.json !== "object") {
|
|
255
|
+
console.log("Applying migration plan and verifying schema...");
|
|
256
|
+
}
|
|
257
|
+
const callbacks = {
|
|
258
|
+
onOperationStart: (op) => {
|
|
259
|
+
if (!flags.quiet && flags.json !== "object") {
|
|
260
|
+
console.log(` \u2192 ${op.label}...`);
|
|
261
|
+
}
|
|
262
|
+
},
|
|
263
|
+
onOperationComplete: (_op) => {
|
|
264
|
+
}
|
|
265
|
+
};
|
|
266
|
+
const runnerResult = await runner.execute({
|
|
267
|
+
plan: migrationPlan,
|
|
268
|
+
driver,
|
|
269
|
+
destinationContract: contractIR,
|
|
270
|
+
policy,
|
|
271
|
+
callbacks,
|
|
272
|
+
// db init plans and applies back-to-back from a fresh introspection, so per-operation
|
|
273
|
+
// pre/postchecks and the idempotency probe are usually redundant overhead. We still
|
|
274
|
+
// enforce marker/origin compatibility and a full schema verification after apply.
|
|
275
|
+
executionChecks: {
|
|
276
|
+
prechecks: false,
|
|
277
|
+
postchecks: false,
|
|
278
|
+
idempotencyChecks: false
|
|
279
|
+
},
|
|
280
|
+
frameworkComponents
|
|
281
|
+
});
|
|
282
|
+
if (!runnerResult.ok) {
|
|
283
|
+
const meta = {
|
|
284
|
+
code: runnerResult.failure.code,
|
|
285
|
+
...runnerResult.failure.meta ?? {}
|
|
286
|
+
};
|
|
287
|
+
const sqlState = typeof meta["sqlState"] === "string" ? meta["sqlState"] : void 0;
|
|
288
|
+
const fix = sqlState === "42501" ? "Grant the database user sufficient privileges (insufficient_privilege), or run db init as a more privileged role" : runnerResult.failure.code === "SCHEMA_VERIFY_FAILED" ? "Fix the schema mismatch (db init is additive-only), or drop/reset the database and re-run `prisma-next db init`" : void 0;
|
|
289
|
+
throw errorRuntime(runnerResult.failure.summary, {
|
|
290
|
+
why: runnerResult.failure.why ?? `Migration runner failed: ${runnerResult.failure.code}`,
|
|
291
|
+
...fix ? { fix } : {},
|
|
292
|
+
meta
|
|
293
|
+
});
|
|
294
|
+
}
|
|
295
|
+
const execution = runnerResult.value;
|
|
296
|
+
const dbInitResult = {
|
|
297
|
+
ok: true,
|
|
298
|
+
mode: "apply",
|
|
299
|
+
plan: {
|
|
300
|
+
targetId: migrationPlan.targetId,
|
|
301
|
+
destination: migrationPlan.destination,
|
|
302
|
+
operations: migrationPlan.operations.map((op) => ({
|
|
303
|
+
id: op.id,
|
|
304
|
+
label: op.label,
|
|
305
|
+
operationClass: op.operationClass
|
|
306
|
+
}))
|
|
307
|
+
},
|
|
308
|
+
execution: {
|
|
309
|
+
operationsPlanned: execution.operationsPlanned,
|
|
310
|
+
operationsExecuted: execution.operationsExecuted
|
|
311
|
+
},
|
|
312
|
+
marker: migrationPlan.destination.profileHash ? {
|
|
313
|
+
coreHash: migrationPlan.destination.coreHash,
|
|
314
|
+
profileHash: migrationPlan.destination.profileHash
|
|
315
|
+
} : { coreHash: migrationPlan.destination.coreHash },
|
|
316
|
+
summary: `Applied ${execution.operationsExecuted} operation(s), marker written`,
|
|
317
|
+
timings: { total: Date.now() - startTime }
|
|
318
|
+
};
|
|
319
|
+
return dbInitResult;
|
|
320
|
+
} finally {
|
|
321
|
+
await driver.close();
|
|
322
|
+
}
|
|
323
|
+
});
|
|
324
|
+
const exitCode = handleResult(result, flags, (dbInitResult) => {
|
|
325
|
+
if (flags.json === "object") {
|
|
326
|
+
console.log(formatDbInitJson(dbInitResult));
|
|
327
|
+
} else {
|
|
328
|
+
const output = dbInitResult.mode === "plan" ? formatDbInitPlanOutput(dbInitResult, flags) : formatDbInitApplyOutput(dbInitResult, flags);
|
|
329
|
+
if (output) {
|
|
330
|
+
console.log(output);
|
|
331
|
+
}
|
|
332
|
+
}
|
|
333
|
+
});
|
|
334
|
+
process.exit(exitCode);
|
|
335
|
+
});
|
|
336
|
+
return command;
|
|
337
|
+
}
|
|
338
|
+
export {
|
|
339
|
+
createDbInitCommand
|
|
340
|
+
};
|
|
341
|
+
//# sourceMappingURL=db-init.js.map
|
|
@@ -0,0 +1 @@
|
|
|
1
|
+
{"version":3,"sources":["../../src/commands/db-init.ts"],"sourcesContent":["import { readFile } from 'node:fs/promises';\nimport { relative, resolve } from 'node:path';\nimport type {\n MigrationPlan,\n MigrationPlannerResult,\n MigrationPlanOperation,\n MigrationRunnerResult,\n} from '@prisma-next/core-control-plane/types';\nimport { redactDatabaseUrl } from '@prisma-next/utils/redact-db-url';\nimport { Command } from 'commander';\nimport { loadConfig } from '../config-loader';\nimport { performAction } from '../utils/action';\nimport {\n errorContractValidationFailed,\n errorDatabaseUrlRequired,\n errorDriverRequired,\n errorFileNotFound,\n errorJsonFormatNotSupported,\n errorMigrationPlanningFailed,\n errorRuntime,\n errorTargetMigrationNotSupported,\n errorUnexpected,\n} from '../utils/cli-errors';\nimport { setCommandDescriptions } from '../utils/command-helpers';\nimport {\n assertContractRequirementsSatisfied,\n assertFrameworkComponentsCompatible,\n} from '../utils/framework-components';\nimport { parseGlobalFlags } from '../utils/global-flags';\nimport {\n type DbInitResult,\n formatCommandHelp,\n formatDbInitApplyOutput,\n formatDbInitJson,\n formatDbInitPlanOutput,\n formatStyledHeader,\n} from '../utils/output';\nimport { handleResult } from '../utils/result-handler';\nimport { withSpinner } from '../utils/spinner';\n\ninterface DbInitOptions {\n readonly db?: string;\n readonly config?: string;\n readonly plan?: boolean;\n readonly json?: string | boolean;\n readonly quiet?: boolean;\n readonly q?: boolean;\n readonly verbose?: boolean;\n readonly v?: boolean;\n readonly vv?: boolean;\n readonly trace?: boolean;\n readonly timestamps?: boolean;\n readonly color?: boolean;\n readonly 'no-color'?: boolean;\n}\n\nexport function createDbInitCommand(): Command {\n const command = new Command('init');\n setCommandDescriptions(\n command,\n 'Bootstrap a database to match the current contract and write the contract marker',\n 'Initializes a database to match your emitted contract using additive-only operations.\\n' +\n 'Creates any missing tables, columns, indexes, and constraints defined in your contract.\\n' +\n 'Leaves existing compatible structures in place, surfaces conflicts when destructive changes\\n' +\n 'would be required, and writes a contract marker to track the database state. Use --plan to\\n' +\n 'preview changes without applying.',\n );\n command\n .configureHelp({\n formatHelp: (cmd) => {\n const flags = parseGlobalFlags({});\n return formatCommandHelp({ command: cmd, flags });\n },\n })\n .option('--db <url>', 'Database connection string')\n .option('--config <path>', 'Path to prisma-next.config.ts')\n .option('--plan', 'Preview planned operations without applying', false)\n .option('--json [format]', 'Output as JSON (object)', false)\n .option('-q, --quiet', 'Quiet mode: errors only')\n .option('-v, --verbose', 'Verbose output: debug info, timings')\n .option('-vv, --trace', 'Trace output: deep internals, stack traces')\n .option('--timestamps', 'Add timestamps to output')\n .option('--color', 'Force color output')\n .option('--no-color', 'Disable color output')\n .action(async (options: DbInitOptions) => {\n const flags = parseGlobalFlags(options);\n const startTime = Date.now();\n\n const result = await performAction(async () => {\n if (flags.json === 'ndjson') {\n throw errorJsonFormatNotSupported({\n command: 'db init',\n format: 'ndjson',\n supportedFormats: ['object'],\n });\n }\n\n // Load config\n const config = await loadConfig(options.config);\n const configPath = options.config\n ? relative(process.cwd(), resolve(options.config))\n : 'prisma-next.config.ts';\n const contractPathAbsolute = config.contract?.output\n ? resolve(config.contract.output)\n : resolve('src/prisma/contract.json');\n const contractPath = relative(process.cwd(), contractPathAbsolute);\n\n // Output header\n if (flags.json !== 'object' && !flags.quiet) {\n const details: Array<{ label: string; value: string }> = [\n { label: 'config', value: configPath },\n { label: 'contract', value: contractPath },\n ];\n if (options.db) {\n details.push({ label: 'database', value: options.db });\n }\n if (options.plan) {\n details.push({ label: 'mode', value: 'plan (dry run)' });\n }\n const header = formatStyledHeader({\n command: 'db init',\n description: 'Bootstrap a database to match the current contract',\n url: 'https://pris.ly/db-init',\n details,\n flags,\n });\n console.log(header);\n }\n\n // Load contract file\n let contractJsonContent: string;\n try {\n contractJsonContent = await readFile(contractPathAbsolute, 'utf-8');\n } catch (error) {\n if (error instanceof Error && (error as { code?: string }).code === 'ENOENT') {\n throw errorFileNotFound(contractPathAbsolute, {\n why: `Contract file not found at ${contractPathAbsolute}`,\n fix: `Run \\`prisma-next contract emit\\` to generate ${contractPath}, or update \\`config.contract.output\\` in ${configPath}`,\n });\n }\n throw errorUnexpected(error instanceof Error ? error.message : String(error), {\n why: `Failed to read contract file: ${error instanceof Error ? error.message : String(error)}`,\n });\n }\n\n let contractJson: Record<string, unknown>;\n try {\n contractJson = JSON.parse(contractJsonContent) as Record<string, unknown>;\n } catch (error) {\n throw errorContractValidationFailed(\n `Contract JSON is invalid: ${error instanceof Error ? error.message : String(error)}`,\n { where: { path: contractPathAbsolute } },\n );\n }\n\n // Resolve database URL\n const dbUrl = options.db ?? config.db?.url;\n if (!dbUrl) {\n throw errorDatabaseUrlRequired({\n why: `Database URL is required for db init (set db.url in ${configPath}, or pass --db <url>)`,\n });\n }\n\n // Check for driver\n if (!config.driver) {\n throw errorDriverRequired({ why: 'Config.driver is required for db init' });\n }\n const driverDescriptor = config.driver;\n\n // Check target supports migrations via the migrations capability\n if (!config.target.migrations) {\n throw errorTargetMigrationNotSupported({\n why: `Target \"${config.target.id}\" does not support migrations`,\n });\n }\n const migrations = config.target.migrations;\n\n // Create driver\n let driver: Awaited<ReturnType<(typeof driverDescriptor)['create']>>;\n try {\n driver = await withSpinner(() => driverDescriptor.create(dbUrl), {\n message: 'Connecting to database...',\n flags,\n });\n } catch (error) {\n const message = error instanceof Error ? error.message : String(error);\n const code = (error as { code?: unknown }).code;\n const redacted = redactDatabaseUrl(dbUrl);\n throw errorRuntime('Database connection failed', {\n why: message,\n fix: 'Verify the database URL, ensure the database is reachable, and confirm credentials/permissions',\n meta: {\n ...(typeof code !== 'undefined' ? { code } : {}),\n ...redacted,\n },\n });\n }\n\n try {\n // Create family instance\n const familyInstance = config.family.create({\n target: config.target,\n adapter: config.adapter,\n driver: driverDescriptor,\n extensionPacks: config.extensionPacks ?? [],\n });\n const rawComponents = [config.target, config.adapter, ...(config.extensionPacks ?? [])];\n const frameworkComponents = assertFrameworkComponentsCompatible(\n config.family.familyId,\n config.target.targetId,\n rawComponents,\n );\n\n // Validate contract\n const contractIR = familyInstance.validateContractIR(contractJson);\n assertContractRequirementsSatisfied({\n contract: contractIR,\n family: config.family,\n target: config.target,\n adapter: config.adapter,\n extensionPacks: config.extensionPacks,\n });\n\n // Create planner and runner from target migrations capability\n const planner = migrations.createPlanner(familyInstance);\n const runner = migrations.createRunner(familyInstance);\n\n // Introspect live schema\n const schemaIR = await withSpinner(() => familyInstance.introspect({ driver }), {\n message: 'Introspecting database schema...',\n flags,\n });\n\n // Policy for init mode (additive only)\n const policy = { allowedOperationClasses: ['additive'] as const };\n\n // Plan migration\n const plannerResult: MigrationPlannerResult = await withSpinner(\n async () =>\n planner.plan({\n contract: contractIR,\n schema: schemaIR,\n policy,\n frameworkComponents,\n }),\n {\n message: 'Planning migration...',\n flags,\n },\n );\n\n if (plannerResult.kind === 'failure') {\n throw errorMigrationPlanningFailed({ conflicts: plannerResult.conflicts });\n }\n\n const migrationPlan: MigrationPlan = plannerResult.plan;\n\n // Check for existing marker - handle idempotency and mismatch errors\n const existingMarker = await familyInstance.readMarker({ driver });\n if (existingMarker) {\n const markerMatchesDestination =\n existingMarker.coreHash === migrationPlan.destination.coreHash &&\n (!migrationPlan.destination.profileHash ||\n existingMarker.profileHash === migrationPlan.destination.profileHash);\n\n if (markerMatchesDestination) {\n // Already at destination - return success with no operations\n const dbInitResult: DbInitResult = {\n ok: true,\n mode: options.plan ? 'plan' : 'apply',\n plan: {\n targetId: migrationPlan.targetId,\n destination: migrationPlan.destination,\n operations: [],\n },\n ...(options.plan\n ? {}\n : {\n execution: { operationsPlanned: 0, operationsExecuted: 0 },\n marker: {\n coreHash: existingMarker.coreHash,\n profileHash: existingMarker.profileHash,\n },\n }),\n summary: 'Database already at target contract state',\n timings: { total: Date.now() - startTime },\n };\n return dbInitResult;\n }\n\n // Marker exists but doesn't match destination - fail\n const coreHashMismatch = existingMarker.coreHash !== migrationPlan.destination.coreHash;\n const profileHashMismatch =\n migrationPlan.destination.profileHash &&\n existingMarker.profileHash !== migrationPlan.destination.profileHash;\n\n const mismatchParts: string[] = [];\n if (coreHashMismatch) {\n mismatchParts.push(\n `coreHash (marker: ${existingMarker.coreHash}, destination: ${migrationPlan.destination.coreHash})`,\n );\n }\n if (profileHashMismatch) {\n mismatchParts.push(\n `profileHash (marker: ${existingMarker.profileHash}, destination: ${migrationPlan.destination.profileHash})`,\n );\n }\n\n throw errorRuntime(\n `Existing contract marker does not match plan destination. Mismatch in ${mismatchParts.join(' and ')}.`,\n {\n why: 'Database has an existing contract marker that does not match the target contract',\n fix: 'If bootstrapping, drop/reset the database then re-run `prisma-next db init`; otherwise reconcile schema/marker using your migration workflow',\n meta: {\n code: 'MARKER_ORIGIN_MISMATCH',\n markerCoreHash: existingMarker.coreHash,\n destinationCoreHash: migrationPlan.destination.coreHash,\n ...(existingMarker.profileHash\n ? { markerProfileHash: existingMarker.profileHash }\n : {}),\n ...(migrationPlan.destination.profileHash\n ? { destinationProfileHash: migrationPlan.destination.profileHash }\n : {}),\n },\n },\n );\n }\n\n // Plan mode - don't execute\n if (options.plan) {\n const dbInitResult: DbInitResult = {\n ok: true,\n mode: 'plan',\n plan: {\n targetId: migrationPlan.targetId,\n destination: migrationPlan.destination,\n operations: migrationPlan.operations.map((op) => ({\n id: op.id,\n label: op.label,\n operationClass: op.operationClass,\n })),\n },\n summary: `Planned ${migrationPlan.operations.length} operation(s)`,\n timings: { total: Date.now() - startTime },\n };\n return dbInitResult;\n }\n\n // Apply mode - execute runner\n // Log main message once, then show individual operations via callbacks\n if (!flags.quiet && flags.json !== 'object') {\n console.log('Applying migration plan and verifying schema...');\n }\n\n const callbacks = {\n onOperationStart: (op: MigrationPlanOperation) => {\n if (!flags.quiet && flags.json !== 'object') {\n console.log(` → ${op.label}...`);\n }\n },\n onOperationComplete: (_op: MigrationPlanOperation) => {\n // Could log completion if needed\n },\n };\n\n const runnerResult: MigrationRunnerResult = await runner.execute({\n plan: migrationPlan,\n driver,\n destinationContract: contractIR,\n policy,\n callbacks,\n // db init plans and applies back-to-back from a fresh introspection, so per-operation\n // pre/postchecks and the idempotency probe are usually redundant overhead. We still\n // enforce marker/origin compatibility and a full schema verification after apply.\n executionChecks: {\n prechecks: false,\n postchecks: false,\n idempotencyChecks: false,\n },\n frameworkComponents,\n });\n\n if (!runnerResult.ok) {\n const meta: Record<string, unknown> = {\n code: runnerResult.failure.code,\n ...(runnerResult.failure.meta ?? {}),\n };\n const sqlState = typeof meta['sqlState'] === 'string' ? meta['sqlState'] : undefined;\n const fix =\n sqlState === '42501'\n ? 'Grant the database user sufficient privileges (insufficient_privilege), or run db init as a more privileged role'\n : runnerResult.failure.code === 'SCHEMA_VERIFY_FAILED'\n ? 'Fix the schema mismatch (db init is additive-only), or drop/reset the database and re-run `prisma-next db init`'\n : undefined;\n\n throw errorRuntime(runnerResult.failure.summary, {\n why:\n runnerResult.failure.why ?? `Migration runner failed: ${runnerResult.failure.code}`,\n ...(fix ? { fix } : {}),\n meta,\n });\n }\n\n const execution = runnerResult.value;\n\n const dbInitResult: DbInitResult = {\n ok: true,\n mode: 'apply',\n plan: {\n targetId: migrationPlan.targetId,\n destination: migrationPlan.destination,\n operations: migrationPlan.operations.map((op) => ({\n id: op.id,\n label: op.label,\n operationClass: op.operationClass,\n })),\n },\n execution: {\n operationsPlanned: execution.operationsPlanned,\n operationsExecuted: execution.operationsExecuted,\n },\n marker: migrationPlan.destination.profileHash\n ? {\n coreHash: migrationPlan.destination.coreHash,\n profileHash: migrationPlan.destination.profileHash,\n }\n : { coreHash: migrationPlan.destination.coreHash },\n summary: `Applied ${execution.operationsExecuted} operation(s), marker written`,\n timings: { total: Date.now() - startTime },\n };\n return dbInitResult;\n } finally {\n await driver.close();\n }\n });\n\n // Handle result\n const exitCode = handleResult(result, flags, (dbInitResult) => {\n if (flags.json === 'object') {\n console.log(formatDbInitJson(dbInitResult));\n } else {\n const output =\n dbInitResult.mode === 'plan'\n ? formatDbInitPlanOutput(dbInitResult, flags)\n : formatDbInitApplyOutput(dbInitResult, flags);\n if (output) {\n console.log(output);\n }\n }\n });\n\n process.exit(exitCode);\n });\n\n return command;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA,SAAS,gBAAgB;AACzB,SAAS,UAAU,eAAe;AAOlC,SAAS,yBAAyB;AAClC,SAAS,eAAe;AA+CjB,SAAS,sBAA+B;AAC7C,QAAM,UAAU,IAAI,QAAQ,MAAM;AAClC;AAAA,IACE;AAAA,IACA;AAAA,IACA;AAAA,EAKF;AACA,UACG,cAAc;AAAA,IACb,YAAY,CAAC,QAAQ;AACnB,YAAM,QAAQ,iBAAiB,CAAC,CAAC;AACjC,aAAO,kBAAkB,EAAE,SAAS,KAAK,MAAM,CAAC;AAAA,IAClD;AAAA,EACF,CAAC,EACA,OAAO,cAAc,4BAA4B,EACjD,OAAO,mBAAmB,+BAA+B,EACzD,OAAO,UAAU,+CAA+C,KAAK,EACrE,OAAO,mBAAmB,2BAA2B,KAAK,EAC1D,OAAO,eAAe,yBAAyB,EAC/C,OAAO,iBAAiB,qCAAqC,EAC7D,OAAO,gBAAgB,4CAA4C,EACnE,OAAO,gBAAgB,0BAA0B,EACjD,OAAO,WAAW,oBAAoB,EACtC,OAAO,cAAc,sBAAsB,EAC3C,OAAO,OAAO,YAA2B;AACxC,UAAM,QAAQ,iBAAiB,OAAO;AACtC,UAAM,YAAY,KAAK,IAAI;AAE3B,UAAM,SAAS,MAAM,cAAc,YAAY;AAC7C,UAAI,MAAM,SAAS,UAAU;AAC3B,cAAM,4BAA4B;AAAA,UAChC,SAAS;AAAA,UACT,QAAQ;AAAA,UACR,kBAAkB,CAAC,QAAQ;AAAA,QAC7B,CAAC;AAAA,MACH;AAGA,YAAM,SAAS,MAAM,WAAW,QAAQ,MAAM;AAC9C,YAAM,aAAa,QAAQ,SACvB,SAAS,QAAQ,IAAI,GAAG,QAAQ,QAAQ,MAAM,CAAC,IAC/C;AACJ,YAAM,uBAAuB,OAAO,UAAU,SAC1C,QAAQ,OAAO,SAAS,MAAM,IAC9B,QAAQ,0BAA0B;AACtC,YAAM,eAAe,SAAS,QAAQ,IAAI,GAAG,oBAAoB;AAGjE,UAAI,MAAM,SAAS,YAAY,CAAC,MAAM,OAAO;AAC3C,cAAM,UAAmD;AAAA,UACvD,EAAE,OAAO,UAAU,OAAO,WAAW;AAAA,UACrC,EAAE,OAAO,YAAY,OAAO,aAAa;AAAA,QAC3C;AACA,YAAI,QAAQ,IAAI;AACd,kBAAQ,KAAK,EAAE,OAAO,YAAY,OAAO,QAAQ,GAAG,CAAC;AAAA,QACvD;AACA,YAAI,QAAQ,MAAM;AAChB,kBAAQ,KAAK,EAAE,OAAO,QAAQ,OAAO,iBAAiB,CAAC;AAAA,QACzD;AACA,cAAM,SAAS,mBAAmB;AAAA,UAChC,SAAS;AAAA,UACT,aAAa;AAAA,UACb,KAAK;AAAA,UACL;AAAA,UACA;AAAA,QACF,CAAC;AACD,gBAAQ,IAAI,MAAM;AAAA,MACpB;AAGA,UAAI;AACJ,UAAI;AACF,8BAAsB,MAAM,SAAS,sBAAsB,OAAO;AAAA,MACpE,SAAS,OAAO;AACd,YAAI,iBAAiB,SAAU,MAA4B,SAAS,UAAU;AAC5E,gBAAM,kBAAkB,sBAAsB;AAAA,YAC5C,KAAK,8BAA8B,oBAAoB;AAAA,YACvD,KAAK,iDAAiD,YAAY,6CAA6C,UAAU;AAAA,UAC3H,CAAC;AAAA,QACH;AACA,cAAM,gBAAgB,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,GAAG;AAAA,UAC5E,KAAK,iCAAiC,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,QAC9F,CAAC;AAAA,MACH;AAEA,UAAI;AACJ,UAAI;AACF,uBAAe,KAAK,MAAM,mBAAmB;AAAA,MAC/C,SAAS,OAAO;AACd,cAAM;AAAA,UACJ,6BAA6B,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,UACnF,EAAE,OAAO,EAAE,MAAM,qBAAqB,EAAE;AAAA,QAC1C;AAAA,MACF;AAGA,YAAM,QAAQ,QAAQ,MAAM,OAAO,IAAI;AACvC,UAAI,CAAC,OAAO;AACV,cAAM,yBAAyB;AAAA,UAC7B,KAAK,uDAAuD,UAAU;AAAA,QACxE,CAAC;AAAA,MACH;AAGA,UAAI,CAAC,OAAO,QAAQ;AAClB,cAAM,oBAAoB,EAAE,KAAK,wCAAwC,CAAC;AAAA,MAC5E;AACA,YAAM,mBAAmB,OAAO;AAGhC,UAAI,CAAC,OAAO,OAAO,YAAY;AAC7B,cAAM,iCAAiC;AAAA,UACrC,KAAK,WAAW,OAAO,OAAO,EAAE;AAAA,QAClC,CAAC;AAAA,MACH;AACA,YAAM,aAAa,OAAO,OAAO;AAGjC,UAAI;AACJ,UAAI;AACF,iBAAS,MAAM,YAAY,MAAM,iBAAiB,OAAO,KAAK,GAAG;AAAA,UAC/D,SAAS;AAAA,UACT;AAAA,QACF,CAAC;AAAA,MACH,SAAS,OAAO;AACd,cAAM,UAAU,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK;AACrE,cAAM,OAAQ,MAA6B;AAC3C,cAAM,WAAW,kBAAkB,KAAK;AACxC,cAAM,aAAa,8BAA8B;AAAA,UAC/C,KAAK;AAAA,UACL,KAAK;AAAA,UACL,MAAM;AAAA,YACJ,GAAI,OAAO,SAAS,cAAc,EAAE,KAAK,IAAI,CAAC;AAAA,YAC9C,GAAG;AAAA,UACL;AAAA,QACF,CAAC;AAAA,MACH;AAEA,UAAI;AAEF,cAAM,iBAAiB,OAAO,OAAO,OAAO;AAAA,UAC1C,QAAQ,OAAO;AAAA,UACf,SAAS,OAAO;AAAA,UAChB,QAAQ;AAAA,UACR,gBAAgB,OAAO,kBAAkB,CAAC;AAAA,QAC5C,CAAC;AACD,cAAM,gBAAgB,CAAC,OAAO,QAAQ,OAAO,SAAS,GAAI,OAAO,kBAAkB,CAAC,CAAE;AACtF,cAAM,sBAAsB;AAAA,UAC1B,OAAO,OAAO;AAAA,UACd,OAAO,OAAO;AAAA,UACd;AAAA,QACF;AAGA,cAAM,aAAa,eAAe,mBAAmB,YAAY;AACjE,4CAAoC;AAAA,UAClC,UAAU;AAAA,UACV,QAAQ,OAAO;AAAA,UACf,QAAQ,OAAO;AAAA,UACf,SAAS,OAAO;AAAA,UAChB,gBAAgB,OAAO;AAAA,QACzB,CAAC;AAGD,cAAM,UAAU,WAAW,cAAc,cAAc;AACvD,cAAM,SAAS,WAAW,aAAa,cAAc;AAGrD,cAAM,WAAW,MAAM,YAAY,MAAM,eAAe,WAAW,EAAE,OAAO,CAAC,GAAG;AAAA,UAC9E,SAAS;AAAA,UACT;AAAA,QACF,CAAC;AAGD,cAAM,SAAS,EAAE,yBAAyB,CAAC,UAAU,EAAW;AAGhE,cAAM,gBAAwC,MAAM;AAAA,UAClD,YACE,QAAQ,KAAK;AAAA,YACX,UAAU;AAAA,YACV,QAAQ;AAAA,YACR;AAAA,YACA;AAAA,UACF,CAAC;AAAA,UACH;AAAA,YACE,SAAS;AAAA,YACT;AAAA,UACF;AAAA,QACF;AAEA,YAAI,cAAc,SAAS,WAAW;AACpC,gBAAM,6BAA6B,EAAE,WAAW,cAAc,UAAU,CAAC;AAAA,QAC3E;AAEA,cAAM,gBAA+B,cAAc;AAGnD,cAAM,iBAAiB,MAAM,eAAe,WAAW,EAAE,OAAO,CAAC;AACjE,YAAI,gBAAgB;AAClB,gBAAM,2BACJ,eAAe,aAAa,cAAc,YAAY,aACrD,CAAC,cAAc,YAAY,eAC1B,eAAe,gBAAgB,cAAc,YAAY;AAE7D,cAAI,0BAA0B;AAE5B,kBAAMA,gBAA6B;AAAA,cACjC,IAAI;AAAA,cACJ,MAAM,QAAQ,OAAO,SAAS;AAAA,cAC9B,MAAM;AAAA,gBACJ,UAAU,cAAc;AAAA,gBACxB,aAAa,cAAc;AAAA,gBAC3B,YAAY,CAAC;AAAA,cACf;AAAA,cACA,GAAI,QAAQ,OACR,CAAC,IACD;AAAA,gBACE,WAAW,EAAE,mBAAmB,GAAG,oBAAoB,EAAE;AAAA,gBACzD,QAAQ;AAAA,kBACN,UAAU,eAAe;AAAA,kBACzB,aAAa,eAAe;AAAA,gBAC9B;AAAA,cACF;AAAA,cACJ,SAAS;AAAA,cACT,SAAS,EAAE,OAAO,KAAK,IAAI,IAAI,UAAU;AAAA,YAC3C;AACA,mBAAOA;AAAA,UACT;AAGA,gBAAM,mBAAmB,eAAe,aAAa,cAAc,YAAY;AAC/E,gBAAM,sBACJ,cAAc,YAAY,eAC1B,eAAe,gBAAgB,cAAc,YAAY;AAE3D,gBAAM,gBAA0B,CAAC;AACjC,cAAI,kBAAkB;AACpB,0BAAc;AAAA,cACZ,qBAAqB,eAAe,QAAQ,kBAAkB,cAAc,YAAY,QAAQ;AAAA,YAClG;AAAA,UACF;AACA,cAAI,qBAAqB;AACvB,0BAAc;AAAA,cACZ,wBAAwB,eAAe,WAAW,kBAAkB,cAAc,YAAY,WAAW;AAAA,YAC3G;AAAA,UACF;AAEA,gBAAM;AAAA,YACJ,yEAAyE,cAAc,KAAK,OAAO,CAAC;AAAA,YACpG;AAAA,cACE,KAAK;AAAA,cACL,KAAK;AAAA,cACL,MAAM;AAAA,gBACJ,MAAM;AAAA,gBACN,gBAAgB,eAAe;AAAA,gBAC/B,qBAAqB,cAAc,YAAY;AAAA,gBAC/C,GAAI,eAAe,cACf,EAAE,mBAAmB,eAAe,YAAY,IAChD,CAAC;AAAA,gBACL,GAAI,cAAc,YAAY,cAC1B,EAAE,wBAAwB,cAAc,YAAY,YAAY,IAChE,CAAC;AAAA,cACP;AAAA,YACF;AAAA,UACF;AAAA,QACF;AAGA,YAAI,QAAQ,MAAM;AAChB,gBAAMA,gBAA6B;AAAA,YACjC,IAAI;AAAA,YACJ,MAAM;AAAA,YACN,MAAM;AAAA,cACJ,UAAU,cAAc;AAAA,cACxB,aAAa,cAAc;AAAA,cAC3B,YAAY,cAAc,WAAW,IAAI,CAAC,QAAQ;AAAA,gBAChD,IAAI,GAAG;AAAA,gBACP,OAAO,GAAG;AAAA,gBACV,gBAAgB,GAAG;AAAA,cACrB,EAAE;AAAA,YACJ;AAAA,YACA,SAAS,WAAW,cAAc,WAAW,MAAM;AAAA,YACnD,SAAS,EAAE,OAAO,KAAK,IAAI,IAAI,UAAU;AAAA,UAC3C;AACA,iBAAOA;AAAA,QACT;AAIA,YAAI,CAAC,MAAM,SAAS,MAAM,SAAS,UAAU;AAC3C,kBAAQ,IAAI,iDAAiD;AAAA,QAC/D;AAEA,cAAM,YAAY;AAAA,UAChB,kBAAkB,CAAC,OAA+B;AAChD,gBAAI,CAAC,MAAM,SAAS,MAAM,SAAS,UAAU;AAC3C,sBAAQ,IAAI,YAAO,GAAG,KAAK,KAAK;AAAA,YAClC;AAAA,UACF;AAAA,UACA,qBAAqB,CAAC,QAAgC;AAAA,UAEtD;AAAA,QACF;AAEA,cAAM,eAAsC,MAAM,OAAO,QAAQ;AAAA,UAC/D,MAAM;AAAA,UACN;AAAA,UACA,qBAAqB;AAAA,UACrB;AAAA,UACA;AAAA;AAAA;AAAA;AAAA,UAIA,iBAAiB;AAAA,YACf,WAAW;AAAA,YACX,YAAY;AAAA,YACZ,mBAAmB;AAAA,UACrB;AAAA,UACA;AAAA,QACF,CAAC;AAED,YAAI,CAAC,aAAa,IAAI;AACpB,gBAAM,OAAgC;AAAA,YACpC,MAAM,aAAa,QAAQ;AAAA,YAC3B,GAAI,aAAa,QAAQ,QAAQ,CAAC;AAAA,UACpC;AACA,gBAAM,WAAW,OAAO,KAAK,UAAU,MAAM,WAAW,KAAK,UAAU,IAAI;AAC3E,gBAAM,MACJ,aAAa,UACT,qHACA,aAAa,QAAQ,SAAS,yBAC5B,oHACA;AAER,gBAAM,aAAa,aAAa,QAAQ,SAAS;AAAA,YAC/C,KACE,aAAa,QAAQ,OAAO,4BAA4B,aAAa,QAAQ,IAAI;AAAA,YACnF,GAAI,MAAM,EAAE,IAAI,IAAI,CAAC;AAAA,YACrB;AAAA,UACF,CAAC;AAAA,QACH;AAEA,cAAM,YAAY,aAAa;AAE/B,cAAM,eAA6B;AAAA,UACjC,IAAI;AAAA,UACJ,MAAM;AAAA,UACN,MAAM;AAAA,YACJ,UAAU,cAAc;AAAA,YACxB,aAAa,cAAc;AAAA,YAC3B,YAAY,cAAc,WAAW,IAAI,CAAC,QAAQ;AAAA,cAChD,IAAI,GAAG;AAAA,cACP,OAAO,GAAG;AAAA,cACV,gBAAgB,GAAG;AAAA,YACrB,EAAE;AAAA,UACJ;AAAA,UACA,WAAW;AAAA,YACT,mBAAmB,UAAU;AAAA,YAC7B,oBAAoB,UAAU;AAAA,UAChC;AAAA,UACA,QAAQ,cAAc,YAAY,cAC9B;AAAA,YACE,UAAU,cAAc,YAAY;AAAA,YACpC,aAAa,cAAc,YAAY;AAAA,UACzC,IACA,EAAE,UAAU,cAAc,YAAY,SAAS;AAAA,UACnD,SAAS,WAAW,UAAU,kBAAkB;AAAA,UAChD,SAAS,EAAE,OAAO,KAAK,IAAI,IAAI,UAAU;AAAA,QAC3C;AACA,eAAO;AAAA,MACT,UAAE;AACA,cAAM,OAAO,MAAM;AAAA,MACrB;AAAA,IACF,CAAC;AAGD,UAAM,WAAW,aAAa,QAAQ,OAAO,CAAC,iBAAiB;AAC7D,UAAI,MAAM,SAAS,UAAU;AAC3B,gBAAQ,IAAI,iBAAiB,YAAY,CAAC;AAAA,MAC5C,OAAO;AACL,cAAM,SACJ,aAAa,SAAS,SAClB,uBAAuB,cAAc,KAAK,IAC1C,wBAAwB,cAAc,KAAK;AACjD,YAAI,QAAQ;AACV,kBAAQ,IAAI,MAAM;AAAA,QACpB;AAAA,MACF;AAAA,IACF,CAAC;AAED,YAAQ,KAAK,QAAQ;AAAA,EACvB,CAAC;AAEH,SAAO;AACT;","names":["dbInitResult"]}
|
|
@@ -1,3 +1,6 @@
|
|
|
1
|
+
import {
|
|
2
|
+
assertContractRequirementsSatisfied
|
|
3
|
+
} from "../chunk-C7QQMZ3I.js";
|
|
1
4
|
import {
|
|
2
5
|
formatCommandHelp,
|
|
3
6
|
formatIntrospectJson,
|
|
@@ -8,7 +11,7 @@ import {
|
|
|
8
11
|
performAction,
|
|
9
12
|
setCommandDescriptions,
|
|
10
13
|
withSpinner
|
|
11
|
-
} from "../chunk-
|
|
14
|
+
} from "../chunk-BZMBKEEQ.js";
|
|
12
15
|
import {
|
|
13
16
|
loadConfig
|
|
14
17
|
} from "../chunk-HWYQOCAJ.js";
|
|
@@ -46,8 +49,7 @@ function createDbIntrospectCommand() {
|
|
|
46
49
|
const contractPath = resolve(config.contract.output);
|
|
47
50
|
try {
|
|
48
51
|
const contractJsonContent = await readFile(contractPath, "utf-8");
|
|
49
|
-
|
|
50
|
-
contractIR = contractJson;
|
|
52
|
+
contractIR = JSON.parse(contractJsonContent);
|
|
51
53
|
} catch (error) {
|
|
52
54
|
if (error instanceof Error && error.code !== "ENOENT") {
|
|
53
55
|
throw errorUnexpected(error.message, {
|
|
@@ -93,16 +95,23 @@ function createDbIntrospectCommand() {
|
|
|
93
95
|
target: config.target,
|
|
94
96
|
adapter: config.adapter,
|
|
95
97
|
driver: driverDescriptor,
|
|
96
|
-
|
|
98
|
+
extensionPacks: config.extensionPacks ?? []
|
|
97
99
|
});
|
|
98
|
-
const typedFamilyInstance = familyInstance;
|
|
99
100
|
if (contractIR) {
|
|
100
|
-
|
|
101
|
+
const validatedContract = familyInstance.validateContractIR(contractIR);
|
|
102
|
+
assertContractRequirementsSatisfied({
|
|
103
|
+
contract: validatedContract,
|
|
104
|
+
family: config.family,
|
|
105
|
+
target: config.target,
|
|
106
|
+
adapter: config.adapter,
|
|
107
|
+
extensionPacks: config.extensionPacks
|
|
108
|
+
});
|
|
109
|
+
contractIR = validatedContract;
|
|
101
110
|
}
|
|
102
111
|
let schemaIR;
|
|
103
112
|
try {
|
|
104
113
|
schemaIR = await withSpinner(
|
|
105
|
-
() =>
|
|
114
|
+
() => familyInstance.introspect({
|
|
106
115
|
driver,
|
|
107
116
|
contractIR
|
|
108
117
|
}),
|
|
@@ -117,9 +126,9 @@ function createDbIntrospectCommand() {
|
|
|
117
126
|
});
|
|
118
127
|
}
|
|
119
128
|
let schemaView;
|
|
120
|
-
if (
|
|
129
|
+
if (familyInstance.toSchemaView) {
|
|
121
130
|
try {
|
|
122
|
-
schemaView =
|
|
131
|
+
schemaView = familyInstance.toSchemaView(schemaIR);
|
|
123
132
|
} catch (error) {
|
|
124
133
|
if (flags.verbose) {
|
|
125
134
|
console.error(
|
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"sources":["../../src/commands/db-introspect.ts"],"sourcesContent":["import { readFile } from 'node:fs/promises';\nimport { relative, resolve } from 'node:path';\nimport {\n errorDatabaseUrlRequired,\n errorDriverRequired,\n errorRuntime,\n errorUnexpected,\n} from '@prisma-next/core-control-plane/errors';\nimport type { CoreSchemaView } from '@prisma-next/core-control-plane/schema-view';\nimport type { FamilyInstance, IntrospectSchemaResult } from '@prisma-next/core-control-plane/types';\nimport { Command } from 'commander';\nimport { loadConfig } from '../config-loader';\nimport { setCommandDescriptions } from '../utils/command-helpers';\nimport { parseGlobalFlags } from '../utils/global-flags';\nimport {\n formatCommandHelp,\n formatIntrospectJson,\n formatIntrospectOutput,\n formatStyledHeader,\n} from '../utils/output';\nimport { performAction } from '../utils/result';\nimport { handleResult } from '../utils/result-handler';\nimport { withSpinner } from '../utils/spinner';\n\ninterface DbIntrospectOptions {\n readonly db?: string;\n readonly config?: string;\n readonly json?: string | boolean;\n readonly quiet?: boolean;\n readonly q?: boolean;\n readonly verbose?: boolean;\n readonly v?: boolean;\n readonly vv?: boolean;\n readonly trace?: boolean;\n readonly timestamps?: boolean;\n readonly color?: boolean;\n readonly 'no-color'?: boolean;\n}\n\nexport function createDbIntrospectCommand(): Command {\n const command = new Command('introspect');\n setCommandDescriptions(\n command,\n 'Inspect the database schema',\n 'Reads the live database schema and displays it as a tree structure. This command\\n' +\n 'does not check the schema against your contract - it only shows what exists in\\n' +\n 'the database. Use `db verify` or `db schema-verify` to compare against your contract.',\n );\n command\n .configureHelp({\n formatHelp: (cmd) => {\n const flags = parseGlobalFlags({});\n return formatCommandHelp({ command: cmd, flags });\n },\n })\n .option('--db <url>', 'Database connection string')\n .option('--config <path>', 'Path to prisma-next.config.ts')\n .option('--json [format]', 'Output as JSON (object or ndjson)', false)\n .option('-q, --quiet', 'Quiet mode: errors only')\n .option('-v, --verbose', 'Verbose output: debug info, timings')\n .option('-vv, --trace', 'Trace output: deep internals, stack traces')\n .option('--timestamps', 'Add timestamps to output')\n .option('--color', 'Force color output')\n .option('--no-color', 'Disable color output')\n .action(async (options: DbIntrospectOptions) => {\n const flags = parseGlobalFlags(options);\n\n const result = await performAction(async () => {\n const startTime = Date.now();\n\n // Load config (file I/O)\n const config = await loadConfig(options.config);\n // Normalize config path for display (match contract path format - no ./ prefix)\n const configPath = options.config\n ? relative(process.cwd(), resolve(options.config))\n : 'prisma-next.config.ts';\n\n // Optionally load contract if contract config exists\n let contractIR: unknown | undefined;\n if (config.contract?.output) {\n const contractPath = resolve(config.contract.output);\n try {\n const contractJsonContent = await readFile(contractPath, 'utf-8');\n const contractJson = JSON.parse(contractJsonContent) as Record<string, unknown>;\n // Validate contract using family instance (will be created later)\n // For now, we'll pass the raw JSON and let the family instance validate it\n contractIR = contractJson;\n } catch (error) {\n // Contract file is optional for introspection - don't fail if it doesn't exist\n if (error instanceof Error && (error as { code?: string }).code !== 'ENOENT') {\n throw errorUnexpected(error.message, {\n why: `Failed to read contract file: ${error.message}`,\n });\n }\n }\n }\n\n // Output header (only for human-readable output)\n if (flags.json !== 'object' && !flags.quiet) {\n const details: Array<{ label: string; value: string }> = [\n { label: 'config', value: configPath },\n ];\n if (options.db) {\n // Mask password in URL for security\n const maskedUrl = options.db.replace(/:([^:@]+)@/, ':****@');\n details.push({ label: 'database', value: maskedUrl });\n } else if (config.db?.url) {\n // Mask password in URL for security\n const maskedUrl = config.db.url.replace(/:([^:@]+)@/, ':****@');\n details.push({ label: 'database', value: maskedUrl });\n }\n const header = formatStyledHeader({\n command: 'db introspect',\n description: 'Inspect the database schema',\n url: 'https://pris.ly/db-introspect',\n details,\n flags,\n });\n console.log(header);\n }\n\n // Resolve database URL\n const dbUrl = options.db ?? config.db?.url;\n if (!dbUrl) {\n throw errorDatabaseUrlRequired();\n }\n\n // Check for driver\n if (!config.driver) {\n throw errorDriverRequired();\n }\n\n // Store driver descriptor after null check\n const driverDescriptor = config.driver;\n\n // Create driver\n const driver = await withSpinner(() => driverDescriptor.create(dbUrl), {\n message: 'Connecting to database...',\n flags,\n });\n\n try {\n // Create family instance\n const familyInstance = config.family.create({\n target: config.target,\n adapter: config.adapter,\n driver: driverDescriptor,\n extensions: config.extensions ?? [],\n });\n const typedFamilyInstance = familyInstance as FamilyInstance<string>;\n\n // Validate contract IR if we loaded it\n if (contractIR) {\n contractIR = typedFamilyInstance.validateContractIR(contractIR);\n }\n\n // Call family instance introspect method\n let schemaIR: unknown;\n try {\n schemaIR = await withSpinner(\n () =>\n typedFamilyInstance.introspect({\n driver,\n contractIR,\n }),\n {\n message: 'Introspecting database schema...',\n flags,\n },\n );\n } catch (error) {\n // Wrap errors from introspect() in structured error\n throw errorRuntime(error instanceof Error ? error.message : String(error), {\n why: `Failed to introspect database: ${error instanceof Error ? error.message : String(error)}`,\n });\n }\n\n // Optionally call toSchemaView if available\n let schemaView: CoreSchemaView | undefined;\n if (typedFamilyInstance.toSchemaView) {\n try {\n schemaView = typedFamilyInstance.toSchemaView(schemaIR);\n } catch (error) {\n // Schema view projection is optional - log but don't fail\n if (flags.verbose) {\n console.error(\n `Warning: Failed to project schema to view: ${error instanceof Error ? error.message : String(error)}`,\n );\n }\n }\n }\n\n const totalTime = Date.now() - startTime;\n\n // Add blank line after all async operations if spinners were shown\n if (!flags.quiet && flags.json !== 'object' && process.stdout.isTTY) {\n console.log('');\n }\n\n // Build result envelope\n const introspectResult: IntrospectSchemaResult<unknown> = {\n ok: true,\n summary: 'Schema introspected successfully',\n target: {\n familyId: config.family.familyId,\n id: config.target.targetId,\n },\n schema: schemaIR,\n ...(configPath || options.db || config.db?.url\n ? {\n meta: {\n ...(configPath ? { configPath } : {}),\n ...(options.db || config.db?.url\n ? {\n dbUrl: (options.db ?? config.db?.url ?? '').replace(\n /:([^:@]+)@/,\n ':****@',\n ),\n }\n : {}),\n },\n }\n : {}),\n timings: {\n total: totalTime,\n },\n };\n\n return { introspectResult, schemaView };\n } finally {\n // Ensure driver connection is closed\n await driver.close();\n }\n });\n\n // Handle result - formats output and returns exit code\n const exitCode = handleResult(result, flags, (value) => {\n const { introspectResult, schemaView } = value;\n // Output based on flags\n if (flags.json === 'object') {\n // JSON output to stdout\n console.log(formatIntrospectJson(introspectResult));\n } else {\n // Human-readable output to stdout\n const output = formatIntrospectOutput(introspectResult, schemaView, flags);\n if (output) {\n console.log(output);\n }\n }\n });\n process.exit(exitCode);\n });\n\n return command;\n}\n"],"mappings":";;;;;;;;;;;;;;;;AAAA,SAAS,gBAAgB;AACzB,SAAS,UAAU,eAAe;AAClC;AAAA,EACE;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,OACK;AAGP,SAAS,eAAe;AA6BjB,SAAS,4BAAqC;AACnD,QAAM,UAAU,IAAI,QAAQ,YAAY;AACxC;AAAA,IACE;AAAA,IACA;AAAA,IACA;AAAA,EAGF;AACA,UACG,cAAc;AAAA,IACb,YAAY,CAAC,QAAQ;AACnB,YAAM,QAAQ,iBAAiB,CAAC,CAAC;AACjC,aAAO,kBAAkB,EAAE,SAAS,KAAK,MAAM,CAAC;AAAA,IAClD;AAAA,EACF,CAAC,EACA,OAAO,cAAc,4BAA4B,EACjD,OAAO,mBAAmB,+BAA+B,EACzD,OAAO,mBAAmB,qCAAqC,KAAK,EACpE,OAAO,eAAe,yBAAyB,EAC/C,OAAO,iBAAiB,qCAAqC,EAC7D,OAAO,gBAAgB,4CAA4C,EACnE,OAAO,gBAAgB,0BAA0B,EACjD,OAAO,WAAW,oBAAoB,EACtC,OAAO,cAAc,sBAAsB,EAC3C,OAAO,OAAO,YAAiC;AAC9C,UAAM,QAAQ,iBAAiB,OAAO;AAEtC,UAAM,SAAS,MAAM,cAAc,YAAY;AAC7C,YAAM,YAAY,KAAK,IAAI;AAG3B,YAAM,SAAS,MAAM,WAAW,QAAQ,MAAM;AAE9C,YAAM,aAAa,QAAQ,SACvB,SAAS,QAAQ,IAAI,GAAG,QAAQ,QAAQ,MAAM,CAAC,IAC/C;AAGJ,UAAI;AACJ,UAAI,OAAO,UAAU,QAAQ;AAC3B,cAAM,eAAe,QAAQ,OAAO,SAAS,MAAM;AACnD,YAAI;AACF,gBAAM,sBAAsB,MAAM,SAAS,cAAc,OAAO;AAChE,gBAAM,eAAe,KAAK,MAAM,mBAAmB;AAGnD,uBAAa;AAAA,QACf,SAAS,OAAO;AAEd,cAAI,iBAAiB,SAAU,MAA4B,SAAS,UAAU;AAC5E,kBAAM,gBAAgB,MAAM,SAAS;AAAA,cACnC,KAAK,iCAAiC,MAAM,OAAO;AAAA,YACrD,CAAC;AAAA,UACH;AAAA,QACF;AAAA,MACF;AAGA,UAAI,MAAM,SAAS,YAAY,CAAC,MAAM,OAAO;AAC3C,cAAM,UAAmD;AAAA,UACvD,EAAE,OAAO,UAAU,OAAO,WAAW;AAAA,QACvC;AACA,YAAI,QAAQ,IAAI;AAEd,gBAAM,YAAY,QAAQ,GAAG,QAAQ,cAAc,QAAQ;AAC3D,kBAAQ,KAAK,EAAE,OAAO,YAAY,OAAO,UAAU,CAAC;AAAA,QACtD,WAAW,OAAO,IAAI,KAAK;AAEzB,gBAAM,YAAY,OAAO,GAAG,IAAI,QAAQ,cAAc,QAAQ;AAC9D,kBAAQ,KAAK,EAAE,OAAO,YAAY,OAAO,UAAU,CAAC;AAAA,QACtD;AACA,cAAM,SAAS,mBAAmB;AAAA,UAChC,SAAS;AAAA,UACT,aAAa;AAAA,UACb,KAAK;AAAA,UACL;AAAA,UACA;AAAA,QACF,CAAC;AACD,gBAAQ,IAAI,MAAM;AAAA,MACpB;AAGA,YAAM,QAAQ,QAAQ,MAAM,OAAO,IAAI;AACvC,UAAI,CAAC,OAAO;AACV,cAAM,yBAAyB;AAAA,MACjC;AAGA,UAAI,CAAC,OAAO,QAAQ;AAClB,cAAM,oBAAoB;AAAA,MAC5B;AAGA,YAAM,mBAAmB,OAAO;AAGhC,YAAM,SAAS,MAAM,YAAY,MAAM,iBAAiB,OAAO,KAAK,GAAG;AAAA,QACrE,SAAS;AAAA,QACT;AAAA,MACF,CAAC;AAED,UAAI;AAEF,cAAM,iBAAiB,OAAO,OAAO,OAAO;AAAA,UAC1C,QAAQ,OAAO;AAAA,UACf,SAAS,OAAO;AAAA,UAChB,QAAQ;AAAA,UACR,YAAY,OAAO,cAAc,CAAC;AAAA,QACpC,CAAC;AACD,cAAM,sBAAsB;AAG5B,YAAI,YAAY;AACd,uBAAa,oBAAoB,mBAAmB,UAAU;AAAA,QAChE;AAGA,YAAI;AACJ,YAAI;AACF,qBAAW,MAAM;AAAA,YACf,MACE,oBAAoB,WAAW;AAAA,cAC7B;AAAA,cACA;AAAA,YACF,CAAC;AAAA,YACH;AAAA,cACE,SAAS;AAAA,cACT;AAAA,YACF;AAAA,UACF;AAAA,QACF,SAAS,OAAO;AAEd,gBAAM,aAAa,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,GAAG;AAAA,YACzE,KAAK,kCAAkC,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,UAC/F,CAAC;AAAA,QACH;AAGA,YAAI;AACJ,YAAI,oBAAoB,cAAc;AACpC,cAAI;AACF,yBAAa,oBAAoB,aAAa,QAAQ;AAAA,UACxD,SAAS,OAAO;AAEd,gBAAI,MAAM,SAAS;AACjB,sBAAQ;AAAA,gBACN,8CAA8C,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,cACtG;AAAA,YACF;AAAA,UACF;AAAA,QACF;AAEA,cAAM,YAAY,KAAK,IAAI,IAAI;AAG/B,YAAI,CAAC,MAAM,SAAS,MAAM,SAAS,YAAY,QAAQ,OAAO,OAAO;AACnE,kBAAQ,IAAI,EAAE;AAAA,QAChB;AAGA,cAAM,mBAAoD;AAAA,UACxD,IAAI;AAAA,UACJ,SAAS;AAAA,UACT,QAAQ;AAAA,YACN,UAAU,OAAO,OAAO;AAAA,YACxB,IAAI,OAAO,OAAO;AAAA,UACpB;AAAA,UACA,QAAQ;AAAA,UACR,GAAI,cAAc,QAAQ,MAAM,OAAO,IAAI,MACvC;AAAA,YACE,MAAM;AAAA,cACJ,GAAI,aAAa,EAAE,WAAW,IAAI,CAAC;AAAA,cACnC,GAAI,QAAQ,MAAM,OAAO,IAAI,MACzB;AAAA,gBACE,QAAQ,QAAQ,MAAM,OAAO,IAAI,OAAO,IAAI;AAAA,kBAC1C;AAAA,kBACA;AAAA,gBACF;AAAA,cACF,IACA,CAAC;AAAA,YACP;AAAA,UACF,IACA,CAAC;AAAA,UACL,SAAS;AAAA,YACP,OAAO;AAAA,UACT;AAAA,QACF;AAEA,eAAO,EAAE,kBAAkB,WAAW;AAAA,MACxC,UAAE;AAEA,cAAM,OAAO,MAAM;AAAA,MACrB;AAAA,IACF,CAAC;AAGD,UAAM,WAAW,aAAa,QAAQ,OAAO,CAAC,UAAU;AACtD,YAAM,EAAE,kBAAkB,WAAW,IAAI;AAEzC,UAAI,MAAM,SAAS,UAAU;AAE3B,gBAAQ,IAAI,qBAAqB,gBAAgB,CAAC;AAAA,MACpD,OAAO;AAEL,cAAM,SAAS,uBAAuB,kBAAkB,YAAY,KAAK;AACzE,YAAI,QAAQ;AACV,kBAAQ,IAAI,MAAM;AAAA,QACpB;AAAA,MACF;AAAA,IACF,CAAC;AACD,YAAQ,KAAK,QAAQ;AAAA,EACvB,CAAC;AAEH,SAAO;AACT;","names":[]}
|
|
1
|
+
{"version":3,"sources":["../../src/commands/db-introspect.ts"],"sourcesContent":["import { readFile } from 'node:fs/promises';\nimport { relative, resolve } from 'node:path';\nimport {\n errorDatabaseUrlRequired,\n errorDriverRequired,\n errorRuntime,\n errorUnexpected,\n} from '@prisma-next/core-control-plane/errors';\nimport type { CoreSchemaView } from '@prisma-next/core-control-plane/schema-view';\nimport type { IntrospectSchemaResult } from '@prisma-next/core-control-plane/types';\nimport { Command } from 'commander';\nimport { loadConfig } from '../config-loader';\nimport { performAction } from '../utils/action';\nimport { setCommandDescriptions } from '../utils/command-helpers';\nimport { assertContractRequirementsSatisfied } from '../utils/framework-components';\nimport { parseGlobalFlags } from '../utils/global-flags';\nimport {\n formatCommandHelp,\n formatIntrospectJson,\n formatIntrospectOutput,\n formatStyledHeader,\n} from '../utils/output';\nimport { handleResult } from '../utils/result-handler';\nimport { withSpinner } from '../utils/spinner';\n\ninterface DbIntrospectOptions {\n readonly db?: string;\n readonly config?: string;\n readonly json?: string | boolean;\n readonly quiet?: boolean;\n readonly q?: boolean;\n readonly verbose?: boolean;\n readonly v?: boolean;\n readonly vv?: boolean;\n readonly trace?: boolean;\n readonly timestamps?: boolean;\n readonly color?: boolean;\n readonly 'no-color'?: boolean;\n}\n\nexport function createDbIntrospectCommand(): Command {\n const command = new Command('introspect');\n setCommandDescriptions(\n command,\n 'Inspect the database schema',\n 'Reads the live database schema and displays it as a tree structure. This command\\n' +\n 'does not check the schema against your contract - it only shows what exists in\\n' +\n 'the database. Use `db verify` or `db schema-verify` to compare against your contract.',\n );\n command\n .configureHelp({\n formatHelp: (cmd) => {\n const flags = parseGlobalFlags({});\n return formatCommandHelp({ command: cmd, flags });\n },\n })\n .option('--db <url>', 'Database connection string')\n .option('--config <path>', 'Path to prisma-next.config.ts')\n .option('--json [format]', 'Output as JSON (object or ndjson)', false)\n .option('-q, --quiet', 'Quiet mode: errors only')\n .option('-v, --verbose', 'Verbose output: debug info, timings')\n .option('-vv, --trace', 'Trace output: deep internals, stack traces')\n .option('--timestamps', 'Add timestamps to output')\n .option('--color', 'Force color output')\n .option('--no-color', 'Disable color output')\n .action(async (options: DbIntrospectOptions) => {\n const flags = parseGlobalFlags(options);\n\n const result = await performAction(async () => {\n const startTime = Date.now();\n\n // Load config (file I/O)\n const config = await loadConfig(options.config);\n // Normalize config path for display (match contract path format - no ./ prefix)\n const configPath = options.config\n ? relative(process.cwd(), resolve(options.config))\n : 'prisma-next.config.ts';\n\n // Optionally load contract if contract config exists\n let contractIR: unknown | undefined;\n if (config.contract?.output) {\n const contractPath = resolve(config.contract.output);\n try {\n const contractJsonContent = await readFile(contractPath, 'utf-8');\n contractIR = JSON.parse(contractJsonContent);\n } catch (error) {\n // Contract file is optional for introspection - don't fail if it doesn't exist\n if (error instanceof Error && (error as { code?: string }).code !== 'ENOENT') {\n throw errorUnexpected(error.message, {\n why: `Failed to read contract file: ${error.message}`,\n });\n }\n }\n }\n\n // Output header (only for human-readable output)\n if (flags.json !== 'object' && !flags.quiet) {\n const details: Array<{ label: string; value: string }> = [\n { label: 'config', value: configPath },\n ];\n if (options.db) {\n // Mask password in URL for security\n const maskedUrl = options.db.replace(/:([^:@]+)@/, ':****@');\n details.push({ label: 'database', value: maskedUrl });\n } else if (config.db?.url) {\n // Mask password in URL for security\n const maskedUrl = config.db.url.replace(/:([^:@]+)@/, ':****@');\n details.push({ label: 'database', value: maskedUrl });\n }\n const header = formatStyledHeader({\n command: 'db introspect',\n description: 'Inspect the database schema',\n url: 'https://pris.ly/db-introspect',\n details,\n flags,\n });\n console.log(header);\n }\n\n // Resolve database URL\n const dbUrl = options.db ?? config.db?.url;\n if (!dbUrl) {\n throw errorDatabaseUrlRequired();\n }\n\n // Check for driver\n if (!config.driver) {\n throw errorDriverRequired();\n }\n\n // Store driver descriptor after null check\n const driverDescriptor = config.driver;\n\n // Create driver\n const driver = await withSpinner(() => driverDescriptor.create(dbUrl), {\n message: 'Connecting to database...',\n flags,\n });\n\n try {\n // Create family instance\n const familyInstance = config.family.create({\n target: config.target,\n adapter: config.adapter,\n driver: driverDescriptor,\n extensionPacks: config.extensionPacks ?? [],\n });\n\n // Validate contract IR if we loaded it\n if (contractIR) {\n const validatedContract = familyInstance.validateContractIR(contractIR);\n assertContractRequirementsSatisfied({\n contract: validatedContract,\n family: config.family,\n target: config.target,\n adapter: config.adapter,\n extensionPacks: config.extensionPacks,\n });\n contractIR = validatedContract;\n }\n\n // Call family instance introspect method\n let schemaIR: unknown;\n try {\n schemaIR = await withSpinner(\n () =>\n familyInstance.introspect({\n driver,\n contractIR,\n }),\n {\n message: 'Introspecting database schema...',\n flags,\n },\n );\n } catch (error) {\n // Wrap errors from introspect() in structured error\n throw errorRuntime(error instanceof Error ? error.message : String(error), {\n why: `Failed to introspect database: ${error instanceof Error ? error.message : String(error)}`,\n });\n }\n\n // Optionally call toSchemaView if available\n let schemaView: CoreSchemaView | undefined;\n if (familyInstance.toSchemaView) {\n try {\n schemaView = familyInstance.toSchemaView(schemaIR);\n } catch (error) {\n // Schema view projection is optional - log but don't fail\n if (flags.verbose) {\n console.error(\n `Warning: Failed to project schema to view: ${error instanceof Error ? error.message : String(error)}`,\n );\n }\n }\n }\n\n const totalTime = Date.now() - startTime;\n\n // Add blank line after all async operations if spinners were shown\n if (!flags.quiet && flags.json !== 'object' && process.stdout.isTTY) {\n console.log('');\n }\n\n // Build result envelope\n const introspectResult: IntrospectSchemaResult<unknown> = {\n ok: true,\n summary: 'Schema introspected successfully',\n target: {\n familyId: config.family.familyId,\n id: config.target.targetId,\n },\n schema: schemaIR,\n ...(configPath || options.db || config.db?.url\n ? {\n meta: {\n ...(configPath ? { configPath } : {}),\n ...(options.db || config.db?.url\n ? {\n dbUrl: (options.db ?? config.db?.url ?? '').replace(\n /:([^:@]+)@/,\n ':****@',\n ),\n }\n : {}),\n },\n }\n : {}),\n timings: {\n total: totalTime,\n },\n };\n\n return { introspectResult, schemaView };\n } finally {\n // Ensure driver connection is closed\n await driver.close();\n }\n });\n\n // Handle result - formats output and returns exit code\n const exitCode = handleResult(result, flags, (value) => {\n const { introspectResult, schemaView } = value;\n // Output based on flags\n if (flags.json === 'object') {\n // JSON output to stdout\n console.log(formatIntrospectJson(introspectResult));\n } else {\n // Human-readable output to stdout\n const output = formatIntrospectOutput(introspectResult, schemaView, flags);\n if (output) {\n console.log(output);\n }\n }\n });\n process.exit(exitCode);\n });\n\n return command;\n}\n"],"mappings":";;;;;;;;;;;;;;;;;;;AAAA,SAAS,gBAAgB;AACzB,SAAS,UAAU,eAAe;AAClC;AAAA,EACE;AAAA,EACA;AAAA,EACA;AAAA,EACA;AAAA,OACK;AAGP,SAAS,eAAe;AA8BjB,SAAS,4BAAqC;AACnD,QAAM,UAAU,IAAI,QAAQ,YAAY;AACxC;AAAA,IACE;AAAA,IACA;AAAA,IACA;AAAA,EAGF;AACA,UACG,cAAc;AAAA,IACb,YAAY,CAAC,QAAQ;AACnB,YAAM,QAAQ,iBAAiB,CAAC,CAAC;AACjC,aAAO,kBAAkB,EAAE,SAAS,KAAK,MAAM,CAAC;AAAA,IAClD;AAAA,EACF,CAAC,EACA,OAAO,cAAc,4BAA4B,EACjD,OAAO,mBAAmB,+BAA+B,EACzD,OAAO,mBAAmB,qCAAqC,KAAK,EACpE,OAAO,eAAe,yBAAyB,EAC/C,OAAO,iBAAiB,qCAAqC,EAC7D,OAAO,gBAAgB,4CAA4C,EACnE,OAAO,gBAAgB,0BAA0B,EACjD,OAAO,WAAW,oBAAoB,EACtC,OAAO,cAAc,sBAAsB,EAC3C,OAAO,OAAO,YAAiC;AAC9C,UAAM,QAAQ,iBAAiB,OAAO;AAEtC,UAAM,SAAS,MAAM,cAAc,YAAY;AAC7C,YAAM,YAAY,KAAK,IAAI;AAG3B,YAAM,SAAS,MAAM,WAAW,QAAQ,MAAM;AAE9C,YAAM,aAAa,QAAQ,SACvB,SAAS,QAAQ,IAAI,GAAG,QAAQ,QAAQ,MAAM,CAAC,IAC/C;AAGJ,UAAI;AACJ,UAAI,OAAO,UAAU,QAAQ;AAC3B,cAAM,eAAe,QAAQ,OAAO,SAAS,MAAM;AACnD,YAAI;AACF,gBAAM,sBAAsB,MAAM,SAAS,cAAc,OAAO;AAChE,uBAAa,KAAK,MAAM,mBAAmB;AAAA,QAC7C,SAAS,OAAO;AAEd,cAAI,iBAAiB,SAAU,MAA4B,SAAS,UAAU;AAC5E,kBAAM,gBAAgB,MAAM,SAAS;AAAA,cACnC,KAAK,iCAAiC,MAAM,OAAO;AAAA,YACrD,CAAC;AAAA,UACH;AAAA,QACF;AAAA,MACF;AAGA,UAAI,MAAM,SAAS,YAAY,CAAC,MAAM,OAAO;AAC3C,cAAM,UAAmD;AAAA,UACvD,EAAE,OAAO,UAAU,OAAO,WAAW;AAAA,QACvC;AACA,YAAI,QAAQ,IAAI;AAEd,gBAAM,YAAY,QAAQ,GAAG,QAAQ,cAAc,QAAQ;AAC3D,kBAAQ,KAAK,EAAE,OAAO,YAAY,OAAO,UAAU,CAAC;AAAA,QACtD,WAAW,OAAO,IAAI,KAAK;AAEzB,gBAAM,YAAY,OAAO,GAAG,IAAI,QAAQ,cAAc,QAAQ;AAC9D,kBAAQ,KAAK,EAAE,OAAO,YAAY,OAAO,UAAU,CAAC;AAAA,QACtD;AACA,cAAM,SAAS,mBAAmB;AAAA,UAChC,SAAS;AAAA,UACT,aAAa;AAAA,UACb,KAAK;AAAA,UACL;AAAA,UACA;AAAA,QACF,CAAC;AACD,gBAAQ,IAAI,MAAM;AAAA,MACpB;AAGA,YAAM,QAAQ,QAAQ,MAAM,OAAO,IAAI;AACvC,UAAI,CAAC,OAAO;AACV,cAAM,yBAAyB;AAAA,MACjC;AAGA,UAAI,CAAC,OAAO,QAAQ;AAClB,cAAM,oBAAoB;AAAA,MAC5B;AAGA,YAAM,mBAAmB,OAAO;AAGhC,YAAM,SAAS,MAAM,YAAY,MAAM,iBAAiB,OAAO,KAAK,GAAG;AAAA,QACrE,SAAS;AAAA,QACT;AAAA,MACF,CAAC;AAED,UAAI;AAEF,cAAM,iBAAiB,OAAO,OAAO,OAAO;AAAA,UAC1C,QAAQ,OAAO;AAAA,UACf,SAAS,OAAO;AAAA,UAChB,QAAQ;AAAA,UACR,gBAAgB,OAAO,kBAAkB,CAAC;AAAA,QAC5C,CAAC;AAGD,YAAI,YAAY;AACd,gBAAM,oBAAoB,eAAe,mBAAmB,UAAU;AACtE,8CAAoC;AAAA,YAClC,UAAU;AAAA,YACV,QAAQ,OAAO;AAAA,YACf,QAAQ,OAAO;AAAA,YACf,SAAS,OAAO;AAAA,YAChB,gBAAgB,OAAO;AAAA,UACzB,CAAC;AACD,uBAAa;AAAA,QACf;AAGA,YAAI;AACJ,YAAI;AACF,qBAAW,MAAM;AAAA,YACf,MACE,eAAe,WAAW;AAAA,cACxB;AAAA,cACA;AAAA,YACF,CAAC;AAAA,YACH;AAAA,cACE,SAAS;AAAA,cACT;AAAA,YACF;AAAA,UACF;AAAA,QACF,SAAS,OAAO;AAEd,gBAAM,aAAa,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,GAAG;AAAA,YACzE,KAAK,kCAAkC,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,UAC/F,CAAC;AAAA,QACH;AAGA,YAAI;AACJ,YAAI,eAAe,cAAc;AAC/B,cAAI;AACF,yBAAa,eAAe,aAAa,QAAQ;AAAA,UACnD,SAAS,OAAO;AAEd,gBAAI,MAAM,SAAS;AACjB,sBAAQ;AAAA,gBACN,8CAA8C,iBAAiB,QAAQ,MAAM,UAAU,OAAO,KAAK,CAAC;AAAA,cACtG;AAAA,YACF;AAAA,UACF;AAAA,QACF;AAEA,cAAM,YAAY,KAAK,IAAI,IAAI;AAG/B,YAAI,CAAC,MAAM,SAAS,MAAM,SAAS,YAAY,QAAQ,OAAO,OAAO;AACnE,kBAAQ,IAAI,EAAE;AAAA,QAChB;AAGA,cAAM,mBAAoD;AAAA,UACxD,IAAI;AAAA,UACJ,SAAS;AAAA,UACT,QAAQ;AAAA,YACN,UAAU,OAAO,OAAO;AAAA,YACxB,IAAI,OAAO,OAAO;AAAA,UACpB;AAAA,UACA,QAAQ;AAAA,UACR,GAAI,cAAc,QAAQ,MAAM,OAAO,IAAI,MACvC;AAAA,YACE,MAAM;AAAA,cACJ,GAAI,aAAa,EAAE,WAAW,IAAI,CAAC;AAAA,cACnC,GAAI,QAAQ,MAAM,OAAO,IAAI,MACzB;AAAA,gBACE,QAAQ,QAAQ,MAAM,OAAO,IAAI,OAAO,IAAI;AAAA,kBAC1C;AAAA,kBACA;AAAA,gBACF;AAAA,cACF,IACA,CAAC;AAAA,YACP;AAAA,UACF,IACA,CAAC;AAAA,UACL,SAAS;AAAA,YACP,OAAO;AAAA,UACT;AAAA,QACF;AAEA,eAAO,EAAE,kBAAkB,WAAW;AAAA,MACxC,UAAE;AAEA,cAAM,OAAO,MAAM;AAAA,MACrB;AAAA,IACF,CAAC;AAGD,UAAM,WAAW,aAAa,QAAQ,OAAO,CAAC,UAAU;AACtD,YAAM,EAAE,kBAAkB,WAAW,IAAI;AAEzC,UAAI,MAAM,SAAS,UAAU;AAE3B,gBAAQ,IAAI,qBAAqB,gBAAgB,CAAC;AAAA,MACpD,OAAO;AAEL,cAAM,SAAS,uBAAuB,kBAAkB,YAAY,KAAK;AACzE,YAAI,QAAQ;AACV,kBAAQ,IAAI,MAAM;AAAA,QACpB;AAAA,MACF;AAAA,IACF,CAAC;AACD,YAAQ,KAAK,QAAQ;AAAA,EACvB,CAAC;AAEH,SAAO;AACT;","names":[]}
|
|
@@ -1,3 +1,7 @@
|
|
|
1
|
+
import {
|
|
2
|
+
assertContractRequirementsSatisfied,
|
|
3
|
+
assertFrameworkComponentsCompatible
|
|
4
|
+
} from "../chunk-C7QQMZ3I.js";
|
|
1
5
|
import {
|
|
2
6
|
formatCommandHelp,
|
|
3
7
|
formatSchemaVerifyJson,
|
|
@@ -8,7 +12,7 @@ import {
|
|
|
8
12
|
performAction,
|
|
9
13
|
setCommandDescriptions,
|
|
10
14
|
withSpinner
|
|
11
|
-
} from "../chunk-
|
|
15
|
+
} from "../chunk-BZMBKEEQ.js";
|
|
12
16
|
import {
|
|
13
17
|
loadConfig
|
|
14
18
|
} from "../chunk-HWYQOCAJ.js";
|
|
@@ -74,36 +78,49 @@ function createDbSchemaVerifyCommand() {
|
|
|
74
78
|
});
|
|
75
79
|
}
|
|
76
80
|
const contractJson = JSON.parse(contractJsonContent);
|
|
77
|
-
const dbUrl = options.db ?? config.db?.url;
|
|
78
|
-
if (!dbUrl) {
|
|
79
|
-
throw errorDatabaseUrlRequired();
|
|
80
|
-
}
|
|
81
81
|
if (!config.driver) {
|
|
82
82
|
throw errorDriverRequired();
|
|
83
83
|
}
|
|
84
84
|
const driverDescriptor = config.driver;
|
|
85
|
+
const familyInstance = config.family.create({
|
|
86
|
+
target: config.target,
|
|
87
|
+
adapter: config.adapter,
|
|
88
|
+
driver: driverDescriptor,
|
|
89
|
+
extensionPacks: config.extensionPacks ?? []
|
|
90
|
+
});
|
|
91
|
+
const contractIR = familyInstance.validateContractIR(contractJson);
|
|
92
|
+
assertContractRequirementsSatisfied({
|
|
93
|
+
contract: contractIR,
|
|
94
|
+
family: config.family,
|
|
95
|
+
target: config.target,
|
|
96
|
+
adapter: config.adapter,
|
|
97
|
+
extensionPacks: config.extensionPacks
|
|
98
|
+
});
|
|
99
|
+
const dbUrl = options.db ?? config.db?.url;
|
|
100
|
+
if (!dbUrl) {
|
|
101
|
+
throw errorDatabaseUrlRequired();
|
|
102
|
+
}
|
|
85
103
|
const driver = await withSpinner(() => driverDescriptor.create(dbUrl), {
|
|
86
104
|
message: "Connecting to database...",
|
|
87
105
|
flags
|
|
88
106
|
});
|
|
89
107
|
try {
|
|
90
|
-
const
|
|
91
|
-
|
|
92
|
-
|
|
93
|
-
|
|
94
|
-
|
|
95
|
-
|
|
96
|
-
const typedFamilyInstance = familyInstance;
|
|
97
|
-
const contractIR = typedFamilyInstance.validateContractIR(contractJson);
|
|
108
|
+
const rawComponents = [config.target, config.adapter, ...config.extensionPacks ?? []];
|
|
109
|
+
const frameworkComponents = assertFrameworkComponentsCompatible(
|
|
110
|
+
config.family.familyId,
|
|
111
|
+
config.target.targetId,
|
|
112
|
+
rawComponents
|
|
113
|
+
);
|
|
98
114
|
let schemaVerifyResult;
|
|
99
115
|
try {
|
|
100
116
|
schemaVerifyResult = await withSpinner(
|
|
101
|
-
() =>
|
|
117
|
+
() => familyInstance.schemaVerify({
|
|
102
118
|
driver,
|
|
103
119
|
contractIR,
|
|
104
120
|
strict: options.strict ?? false,
|
|
105
121
|
contractPath: contractPathAbsolute,
|
|
106
|
-
configPath
|
|
122
|
+
configPath,
|
|
123
|
+
frameworkComponents
|
|
107
124
|
}),
|
|
108
125
|
{
|
|
109
126
|
message: "Verifying database schema...",
|