@mandujs/cli 0.9.46 → 0.11.0

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/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@mandujs/cli",
3
- "version": "0.9.46",
3
+ "version": "0.11.0",
4
4
  "description": "Agent-Native Fullstack Framework - 에이전트가 코딩해도 아키텍처가 무너지지 않는 개발 OS",
5
5
  "type": "module",
6
6
  "main": "./src/main.ts",
@@ -32,7 +32,8 @@
32
32
  "access": "public"
33
33
  },
34
34
  "dependencies": {
35
- "@mandujs/core": "workspace:*"
35
+ "@mandujs/core": "workspace:*",
36
+ "cfonts": "^3.3.0"
36
37
  },
37
38
  "engines": {
38
39
  "bun": ">=1.0.0"
@@ -1,238 +1,290 @@
1
- /**
2
- * mandu check - Workflow Check Command
3
- *
4
- * FS Routes + Architecture Guard + Legacy Guard 통합 검사
5
- */
6
-
7
- import {
8
- generateManifest,
9
- scanRoutes,
10
- checkDirectory,
11
- printReport,
12
- getPreset,
13
- validateAndReport,
14
- loadManifest,
15
- runGuardCheck,
16
- buildGuardReport,
17
- printReportSummary,
18
- type GuardConfig,
19
- } from "@mandujs/core";
20
- import path from "path";
21
- import { resolveFromCwd, isDirectory, pathExists } from "../util/fs";
22
- import { resolveOutputFormat } from "../util/output";
23
-
24
- export async function check(): Promise<boolean> {
25
- const rootDir = resolveFromCwd(".");
26
- const config = await validateAndReport(rootDir);
27
- if (!config) return false;
28
-
29
- const guardConfigFromFile = config.guard ?? {};
30
- const preset = guardConfigFromFile.preset ?? "mandu";
31
- const format = resolveOutputFormat();
32
- const quiet = false;
33
- const strictWarnings = process.env.CI === "true";
34
- const enableFsRoutes = await isDirectory(path.resolve(rootDir, "app"));
35
- const specPath = resolveFromCwd("spec/routes.manifest.json");
36
- const hasSpec = await pathExists(specPath);
37
-
38
- let success = true;
39
-
40
- const log = (message: string) => {
41
- if (format === "console" && !quiet) {
42
- console.log(message);
43
- }
44
- };
45
-
46
- const print = (message: string) => {
47
- if (format === "console") {
48
- console.log(message);
49
- }
50
- };
51
-
52
- if (format === "console") {
53
- log("🥟 Mandu Check\n");
54
- }
55
-
56
- // 1) FS Routes 검사
57
- let routesSummary: { enabled: boolean; count: number; warnings: string[] } = {
58
- enabled: false,
59
- count: 0,
60
- warnings: [],
61
- };
62
-
63
- if (enableFsRoutes) {
64
- routesSummary.enabled = true;
65
-
66
- try {
67
- if (format === "console") {
68
- const result = await generateManifest(rootDir, {
69
- scanner: config.fsRoutes,
70
- outputPath: ".mandu/routes.manifest.json",
71
- skipLegacy: true,
72
- });
73
- routesSummary.count = result.manifest.routes.length;
74
- routesSummary.warnings = result.warnings;
75
-
76
- if (quiet) {
77
- print(`✅ FS Routes: ${routesSummary.count}개`);
78
- } else {
79
- log(`✅ FS Routes: ${routesSummary.count}개`);
80
- }
81
- if (routesSummary.warnings.length > 0) {
82
- if (!quiet) {
83
- log("⚠️ 경고:");
84
- }
85
- for (const warning of routesSummary.warnings) {
86
- if (!quiet) {
87
- log(` - ${warning}`);
88
- }
89
- }
90
- }
91
- if (!quiet) {
92
- log("");
93
- }
94
- } else {
95
- const scan = await scanRoutes(rootDir, config.fsRoutes);
96
- routesSummary.count = scan.routes.length;
97
- routesSummary.warnings = scan.errors.map((e) => `${e.type}: ${e.message}`);
98
- }
99
- } catch (error) {
100
- success = false;
101
- routesSummary.warnings.push(
102
- error instanceof Error ? error.message : String(error)
103
- );
104
- if (format === "console") {
105
- console.error("❌ FS Routes 검사 실패:", error);
106
- }
107
- }
108
- } else {
109
- if (quiet) {
110
- print("ℹ️ app/ 폴더 없음 - FS Routes 검사 스킵");
111
- } else {
112
- log("ℹ️ app/ 폴더 없음 - FS Routes 검사 스킵\n");
113
- }
114
- }
115
-
116
- // 2) Architecture Guard 검사
117
- const guardConfig: GuardConfig = {
118
- preset,
119
- srcDir: guardConfigFromFile.srcDir ?? "src",
120
- exclude: guardConfigFromFile.exclude,
121
- fsRoutes: enableFsRoutes
122
- ? {
123
- noPageToPage: true,
124
- pageCanImport: [
125
- "client/pages",
126
- "client/widgets",
127
- "client/features",
128
- "client/entities",
129
- "client/shared",
130
- "shared/contracts",
131
- "shared/types",
132
- "shared/utils/client",
133
- ],
134
- layoutCanImport: [
135
- "client/app",
136
- "client/widgets",
137
- "client/shared",
138
- "shared/contracts",
139
- "shared/types",
140
- "shared/utils/client",
141
- ],
142
- routeCanImport: [
143
- "server/api",
144
- "server/application",
145
- "server/domain",
146
- "server/infra",
147
- "server/core",
148
- "shared/contracts",
149
- "shared/schema",
150
- "shared/types",
151
- "shared/utils/client",
152
- "shared/utils/server",
153
- "shared/env",
154
- ],
155
- }
156
- : undefined,
157
- };
158
-
159
- const report = await checkDirectory(guardConfig, rootDir);
160
- const hasArchErrors = report.bySeverity.error > 0;
161
- const hasArchWarnings = report.bySeverity.warn > 0;
162
- if (hasArchErrors || (strictWarnings && hasArchWarnings)) {
163
- success = false;
164
- }
165
-
166
- if (format === "console") {
167
- const presetDef = getPreset(preset);
168
- if (quiet) {
169
- print(`📊 Architecture: ${report.totalViolations}개 위반 (Errors: ${report.bySeverity.error})`);
170
- } else {
171
- printReport(report, presetDef.hierarchy);
172
- }
173
- }
174
-
175
- // 3) Legacy Guard 검사 (spec 파일이 있을 때만)
176
- let legacySummary: { enabled: boolean; passed: boolean; violations: number; errors?: string[] } = {
177
- enabled: false,
178
- passed: true,
179
- violations: 0,
180
- };
181
-
182
- if (hasSpec) {
183
- legacySummary.enabled = true;
184
-
185
- const manifestResult = await loadManifest(specPath);
186
- if (!manifestResult.success || !manifestResult.data) {
187
- legacySummary.passed = false;
188
- legacySummary.errors = manifestResult.errors ?? ["Spec 로드 실패"];
189
- success = false;
190
-
191
- if (format === "console") {
192
- console.error("Spec 로드 실패:");
193
- manifestResult.errors?.forEach((e) => console.error(` - ${e}`));
194
- }
195
- } else {
196
- const checkResult = await runGuardCheck(manifestResult.data, rootDir);
197
- legacySummary.passed = checkResult.passed;
198
- legacySummary.violations = checkResult.violations.length;
199
- if (strictWarnings && checkResult.violations.length > 0) {
200
- success = false;
201
- } else {
202
- success = success && checkResult.passed;
203
- }
204
-
205
- if (format === "console") {
206
- const legacyReport = buildGuardReport(checkResult);
207
- if (quiet) {
208
- print(`📊 Legacy Guard: ${legacySummary.violations}개 위반`);
209
- } else {
210
- printReportSummary(legacyReport);
211
- }
212
- }
213
- }
214
- } else {
215
- if (quiet) {
216
- print("ℹ️ spec/routes.manifest.json 없음 - 레거시 Guard 스킵");
217
- } else {
218
- log("ℹ️ spec/routes.manifest.json 없음 - 레거시 Guard 스킵");
219
- }
220
- }
221
-
222
- if (format !== "console") {
223
- const summary = {
224
- ok: success,
225
- routes: routesSummary,
226
- architecture: {
227
- totalViolations: report.totalViolations,
228
- bySeverity: report.bySeverity,
229
- byType: report.byType,
230
- report,
231
- },
232
- legacy: legacySummary,
233
- };
234
- console.log(JSON.stringify(summary, null, 2));
235
- }
236
-
237
- return success;
238
- }
1
+ /**
2
+ * mandu check - Workflow Check Command
3
+ *
4
+ * FS Routes + Architecture Guard + Legacy Guard 통합 검사
5
+ */
6
+
7
+ import {
8
+ generateManifest,
9
+ scanRoutes,
10
+ checkDirectory,
11
+ printReport,
12
+ getPreset,
13
+ validateAndReport,
14
+ loadManifest,
15
+ runGuardCheck,
16
+ buildGuardReport,
17
+ printReportSummary,
18
+ guardConfig,
19
+ formatConfigGuardResult,
20
+ calculateHealthScore,
21
+ type GuardConfig,
22
+ type ConfigGuardResult,
23
+ } from "@mandujs/core";
24
+ import path from "path";
25
+ import { resolveFromCwd, isDirectory, pathExists } from "../util/fs";
26
+ import { resolveOutputFormat } from "../util/output";
27
+
28
+ export async function check(): Promise<boolean> {
29
+ const rootDir = resolveFromCwd(".");
30
+ const config = await validateAndReport(rootDir);
31
+ if (!config) return false;
32
+
33
+ const guardConfigFromFile = config.guard ?? {};
34
+ const preset = guardConfigFromFile.preset ?? "mandu";
35
+ const format = resolveOutputFormat();
36
+ const quiet = false;
37
+ const strictWarnings = process.env.CI === "true";
38
+ const enableFsRoutes = await isDirectory(path.resolve(rootDir, "app"));
39
+ const specPath = resolveFromCwd("spec/routes.manifest.json");
40
+ const hasSpec = await pathExists(specPath);
41
+
42
+ let success = true;
43
+
44
+ const log = (message: string) => {
45
+ if (format === "console" && !quiet) {
46
+ console.log(message);
47
+ }
48
+ };
49
+
50
+ const print = (message: string) => {
51
+ if (format === "console") {
52
+ console.log(message);
53
+ }
54
+ };
55
+
56
+ if (format === "console") {
57
+ log("🥟 Mandu Check\n");
58
+ }
59
+
60
+ // 1) FS Routes 검사
61
+ let routesSummary: { enabled: boolean; count: number; warnings: string[] } = {
62
+ enabled: false,
63
+ count: 0,
64
+ warnings: [],
65
+ };
66
+
67
+ if (enableFsRoutes) {
68
+ routesSummary.enabled = true;
69
+
70
+ try {
71
+ if (format === "console") {
72
+ const result = await generateManifest(rootDir, {
73
+ scanner: config.fsRoutes,
74
+ outputPath: ".mandu/routes.manifest.json",
75
+ skipLegacy: true,
76
+ });
77
+ routesSummary.count = result.manifest.routes.length;
78
+ routesSummary.warnings = result.warnings;
79
+
80
+ if (quiet) {
81
+ print(`✅ FS Routes: ${routesSummary.count}개`);
82
+ } else {
83
+ log(`✅ FS Routes: ${routesSummary.count}개`);
84
+ }
85
+ if (routesSummary.warnings.length > 0) {
86
+ if (!quiet) {
87
+ log("⚠️ 경고:");
88
+ }
89
+ for (const warning of routesSummary.warnings) {
90
+ if (!quiet) {
91
+ log(` - ${warning}`);
92
+ }
93
+ }
94
+ }
95
+ if (!quiet) {
96
+ log("");
97
+ }
98
+ } else {
99
+ const scan = await scanRoutes(rootDir, config.fsRoutes);
100
+ routesSummary.count = scan.routes.length;
101
+ routesSummary.warnings = scan.errors.map((e) => `${e.type}: ${e.message}`);
102
+ }
103
+ } catch (error) {
104
+ success = false;
105
+ routesSummary.warnings.push(
106
+ error instanceof Error ? error.message : String(error)
107
+ );
108
+ if (format === "console") {
109
+ console.error("❌ FS Routes 검사 실패:", error);
110
+ }
111
+ }
112
+ } else {
113
+ if (quiet) {
114
+ print("ℹ️ app/ 폴더 없음 - FS Routes 검사 스킵");
115
+ } else {
116
+ log("ℹ️ app/ 폴더 없음 - FS Routes 검사 스킵\n");
117
+ }
118
+ }
119
+
120
+ // 2) Architecture Guard 검사
121
+ const archGuardConfig: GuardConfig = {
122
+ preset,
123
+ srcDir: guardConfigFromFile.srcDir ?? "src",
124
+ exclude: guardConfigFromFile.exclude,
125
+ fsRoutes: enableFsRoutes
126
+ ? {
127
+ noPageToPage: true,
128
+ pageCanImport: [
129
+ "client/pages",
130
+ "client/widgets",
131
+ "client/features",
132
+ "client/entities",
133
+ "client/shared",
134
+ "shared/contracts",
135
+ "shared/types",
136
+ "shared/utils/client",
137
+ ],
138
+ layoutCanImport: [
139
+ "client/app",
140
+ "client/widgets",
141
+ "client/shared",
142
+ "shared/contracts",
143
+ "shared/types",
144
+ "shared/utils/client",
145
+ ],
146
+ routeCanImport: [
147
+ "server/api",
148
+ "server/application",
149
+ "server/domain",
150
+ "server/infra",
151
+ "server/core",
152
+ "shared/contracts",
153
+ "shared/schema",
154
+ "shared/types",
155
+ "shared/utils/client",
156
+ "shared/utils/server",
157
+ "shared/env",
158
+ ],
159
+ }
160
+ : undefined,
161
+ };
162
+
163
+ const report = await checkDirectory(archGuardConfig, rootDir);
164
+ const hasArchErrors = report.bySeverity.error > 0;
165
+ const hasArchWarnings = report.bySeverity.warn > 0;
166
+ if (hasArchErrors || (strictWarnings && hasArchWarnings)) {
167
+ success = false;
168
+ }
169
+
170
+ if (format === "console") {
171
+ const presetDef = getPreset(preset);
172
+ if (quiet) {
173
+ print(`📊 Architecture: ${report.totalViolations}개 위반 (Errors: ${report.bySeverity.error})`);
174
+ } else {
175
+ printReport(report, presetDef.hierarchy);
176
+ }
177
+ }
178
+
179
+ // 3) Legacy Guard 검사 (spec 파일이 있을 때만)
180
+ let legacySummary: { enabled: boolean; passed: boolean; violations: number; errors?: string[] } = {
181
+ enabled: false,
182
+ passed: true,
183
+ violations: 0,
184
+ };
185
+
186
+ if (hasSpec) {
187
+ legacySummary.enabled = true;
188
+
189
+ const manifestResult = await loadManifest(specPath);
190
+ if (!manifestResult.success || !manifestResult.data) {
191
+ legacySummary.passed = false;
192
+ legacySummary.errors = manifestResult.errors ?? ["Spec 로드 실패"];
193
+ success = false;
194
+
195
+ if (format === "console") {
196
+ console.error("❌ Spec 로드 실패:");
197
+ manifestResult.errors?.forEach((e) => console.error(` - ${e}`));
198
+ }
199
+ } else {
200
+ const checkResult = await runGuardCheck(manifestResult.data, rootDir);
201
+ legacySummary.passed = checkResult.passed;
202
+ legacySummary.violations = checkResult.violations.length;
203
+ if (strictWarnings && checkResult.violations.length > 0) {
204
+ success = false;
205
+ } else {
206
+ success = success && checkResult.passed;
207
+ }
208
+
209
+ if (format === "console") {
210
+ const legacyReport = buildGuardReport(checkResult);
211
+ if (quiet) {
212
+ print(`📊 Legacy Guard: ${legacySummary.violations}개 위반`);
213
+ } else {
214
+ printReportSummary(legacyReport);
215
+ }
216
+ }
217
+ }
218
+ } else {
219
+ if (quiet) {
220
+ print("ℹ️ spec/routes.manifest.json 없음 - 레거시 Guard 스킵");
221
+ } else {
222
+ log("ℹ️ spec/routes.manifest.json 없음 - 레거시 Guard 스킵");
223
+ }
224
+ }
225
+
226
+ // 4) Config Integrity 검사 (Lockfile)
227
+ const configGuardResult = await guardConfig(rootDir, config);
228
+
229
+ if (configGuardResult.action === "error" || configGuardResult.action === "block") {
230
+ success = false;
231
+ }
232
+
233
+ if (format === "console") {
234
+ if (!quiet) {
235
+ log("");
236
+ }
237
+ if (quiet) {
238
+ if (configGuardResult.lockfileValid) {
239
+ print(`✅ Config: 무결성 확인됨 (${configGuardResult.currentHash?.slice(0, 8) ?? "N/A"})`);
240
+ } else if (!configGuardResult.lockfileExists) {
241
+ print(`💡 Config: Lockfile 없음`);
242
+ } else {
243
+ print(`❌ Config: 무결성 실패`);
244
+ }
245
+ } else {
246
+ log(formatConfigGuardResult(configGuardResult));
247
+ }
248
+ }
249
+
250
+ // 5) 통합 헬스 점수
251
+ const healthScore = calculateHealthScore(
252
+ report.totalViolations,
253
+ report.bySeverity.error,
254
+ configGuardResult
255
+ );
256
+
257
+ if (format === "console" && !quiet) {
258
+ log("");
259
+ log("═══════════════════════════════════════");
260
+ log(`🏥 Health Score: ${healthScore}/100`);
261
+ log("═══════════════════════════════════════");
262
+ }
263
+
264
+ if (format !== "console") {
265
+ const summary = {
266
+ ok: success,
267
+ healthScore,
268
+ routes: routesSummary,
269
+ architecture: {
270
+ totalViolations: report.totalViolations,
271
+ bySeverity: report.bySeverity,
272
+ byType: report.byType,
273
+ report,
274
+ },
275
+ config: {
276
+ valid: configGuardResult.lockfileValid,
277
+ exists: configGuardResult.lockfileExists,
278
+ action: configGuardResult.action,
279
+ currentHash: configGuardResult.currentHash,
280
+ lockedHash: configGuardResult.lockedHash,
281
+ errors: configGuardResult.errors,
282
+ warnings: configGuardResult.warnings,
283
+ },
284
+ legacy: legacySummary,
285
+ };
286
+ console.log(JSON.stringify(summary, null, 2));
287
+ }
288
+
289
+ return success;
290
+ }