@bonginkan/maria 4.2.3 → 4.2.4

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.
@@ -32,424 +32,6 @@ var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__ge
32
32
  mod
33
33
  ));
34
34
 
35
- // src/ui/integrated-cli/responsive-width.ts
36
- function getSafeTerminalWidth() {
37
- if (process.env.MARIA_FIXED_WIDTH) {
38
- const fixed = Number(process.env.MARIA_FIXED_WIDTH);
39
- if (Number.isFinite(fixed) && fixed > 0) {
40
- return fixed;
41
- }
42
- }
43
- const isTTY = process.stdout && process.stdout.isTTY;
44
- if (isTTY && typeof process.stdout.columns === "number" && process.stdout.columns > 0) {
45
- return process.stdout.columns;
46
- }
47
- const envColumns = Number(process.env.COLUMNS);
48
- if (Number.isFinite(envColumns) && envColumns > 0) {
49
- return envColumns;
50
- }
51
- if (process.platform === "win32") {
52
- try {
53
- const { execSync } = require("child_process");
54
- const result = execSync('powershell -command "$host.UI.RawUI.WindowSize.Width"', {
55
- encoding: "utf8",
56
- stdio: ["pipe", "pipe", "ignore"]
57
- // Suppress stderr
58
- });
59
- const width = parseInt(result.trim());
60
- if (Number.isFinite(width) && width > 0) {
61
- return width;
62
- }
63
- } catch {
64
- }
65
- }
66
- return 80;
67
- }
68
- function getResponsiveWidth(config2) {
69
- if (process.env.MARIA_DISABLE_RESPONSIVE === "1") {
70
- return config2?.maxWidth || 120;
71
- }
72
- const terminalWidth = getSafeTerminalWidth();
73
- const marginLeft = config2?.marginLeft ?? 5;
74
- const marginRight = config2?.marginRight ?? 5;
75
- const minWidth = config2?.minWidth ?? 40;
76
- const maxWidth = config2?.maxWidth ?? 200;
77
- const availableWidth = terminalWidth - marginLeft - marginRight;
78
- return Math.max(minWidth, Math.min(availableWidth, maxWidth));
79
- }
80
- function disposeSharedLayoutManager() {
81
- if (sharedManager) {
82
- sharedManager.dispose();
83
- sharedManager = null;
84
- }
85
- }
86
- function isCI() {
87
- return !!(process.env.CI || process.env.GITHUB_ACTIONS || process.env.GITLAB_CI || process.env.JENKINS_HOME || process.env.TRAVIS || process.env.CIRCLECI || process.env.BUILDKITE || process.env.DRONE);
88
- }
89
- function autoConfigureForEnvironment() {
90
- if (isCI() || !process.stdout.isTTY) {
91
- if (!process.env.MARIA_FIXED_WIDTH) {
92
- process.env.MARIA_FIXED_WIDTH = "80";
93
- }
94
- }
95
- }
96
- var stripAnsiModule, stringWidthModule, sharedManager;
97
- var init_responsive_width = __esm({
98
- "src/ui/integrated-cli/responsive-width.ts"() {
99
- stripAnsiModule = __toESM(require("strip-ansi"), 1);
100
- stringWidthModule = __toESM(require("string-width"), 1);
101
- sharedManager = null;
102
- autoConfigureForEnvironment();
103
- if (process.env.NODE_ENV !== "production") {
104
- process.on("exit", () => {
105
- disposeSharedLayoutManager();
106
- });
107
- }
108
- }
109
- });
110
-
111
- // src/utils/version.ts
112
- function getVersion() {
113
- if (_cachedVersion) {
114
- return _cachedVersion;
115
- }
116
- try {
117
- const packageJson = getPackageJson();
118
- _cachedVersion = packageJson.version;
119
- return _cachedVersion;
120
- } catch (error2) {
121
- _cachedVersion = "latest";
122
- return _cachedVersion;
123
- }
124
- }
125
- function getPackageJson() {
126
- if (_cachedPackageJson) {
127
- return _cachedPackageJson;
128
- }
129
- try {
130
- const possiblePaths = [
131
- // When running from built dist/
132
- (0, import_path.join)(__dirname, "../../package.json"),
133
- // When running from source
134
- (0, import_path.join)(__dirname, "../../../package.json"),
135
- // Current working directory
136
- (0, import_path.join)(process.cwd(), "package.json"),
137
- // One level up from current working directory
138
- (0, import_path.join)(process.cwd(), "../package.json"),
139
- // For globally installed packages
140
- (0, import_path.join)(__dirname, "../../../../package.json"),
141
- (0, import_path.join)(__dirname, "../../../../../package.json"),
142
- // npm global install locations
143
- "/usr/local/lib/node_modules/@bonginkan/maria/package.json",
144
- "/usr/lib/node_modules/@bonginkan/maria/package.json",
145
- // User home npm global
146
- (0, import_path.join)(
147
- process.env.HOME || "",
148
- ".npm-global/lib/node_modules/@bonginkan/maria/package.json"
149
- ),
150
- (0, import_path.join)(
151
- process.env.HOME || "",
152
- ".nvm/versions/node",
153
- process.version,
154
- "lib/node_modules/@bonginkan/maria/package.json"
155
- )
156
- ];
157
- let packageJsonPath = null;
158
- for (const path12 of possiblePaths) {
159
- if ((0, import_fs.existsSync)(path12)) {
160
- try {
161
- const content = (0, import_fs.readFileSync)(path12, "utf-8");
162
- const parsed = JSON.parse(content);
163
- if (parsed.name === "@bonginkan/maria") {
164
- packageJsonPath = path12;
165
- break;
166
- }
167
- } catch {
168
- continue;
169
- }
170
- }
171
- }
172
- if (!packageJsonPath) {
173
- throw new Error("package.json not found in any expected location");
174
- }
175
- const packageJsonContent = (0, import_fs.readFileSync)(packageJsonPath, "utf-8");
176
- _cachedPackageJson = JSON.parse(packageJsonContent);
177
- return _cachedPackageJson;
178
- } catch (error2) {
179
- throw new Error(`Failed to read package.json: ${error2}`);
180
- }
181
- }
182
- var import_fs, import_path, _cachedVersion, _cachedPackageJson, VERSION;
183
- var init_version = __esm({
184
- "src/utils/version.ts"() {
185
- import_fs = require("fs");
186
- import_path = require("path");
187
- _cachedVersion = null;
188
- _cachedPackageJson = null;
189
- VERSION = getVersion();
190
- }
191
- });
192
-
193
- // src/services/startup-display.ts
194
- var startup_display_exports = {};
195
- __export(startup_display_exports, {
196
- displayCompactLogo: () => displayCompactLogo,
197
- displayDashboardHeader: () => displayDashboardHeader,
198
- displayFinalStartupScreen: () => displayFinalStartupScreen,
199
- displayLogsBox: () => displayLogsBox,
200
- displayRoundedInputBox: () => displayRoundedInputBox,
201
- displaySpinner: () => displaySpinner,
202
- displayStartupLogo: () => displayStartupLogo
203
- });
204
- function displayStartupLogo() {
205
- process.stdout.write("\x1B[2J\x1B[3J\x1B[H");
206
- console.log("");
207
- console.log(
208
- import_chalk.default.magentaBright(
209
- "\u2554\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2557"
210
- )
211
- );
212
- console.log(
213
- import_chalk.default.magentaBright(
214
- "\u2551 \u2551"
215
- )
216
- );
217
- console.log(
218
- import_chalk.default.magentaBright(
219
- "\u2551 \u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2557 \u2551"
220
- )
221
- );
222
- console.log(
223
- import_chalk.default.magentaBright(
224
- "\u2551 \u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2557\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2557\u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2557 \u2551"
225
- )
226
- );
227
- console.log(
228
- import_chalk.default.magentaBright(
229
- "\u2551 \u2588\u2588\u2554\u2588\u2588\u2588\u2588\u2554\u2588\u2588\u2551\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2551\u2588\u2588\u2588\u2588\u2588\u2588\u2554\u255D\u2588\u2588\u2551\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2551 \u2551"
230
- )
231
- );
232
- console.log(
233
- import_chalk.default.magentaBright(
234
- "\u2551 \u2588\u2588\u2551\u255A\u2588\u2588\u2554\u255D\u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2557\u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2551 \u2551"
235
- )
236
- );
237
- console.log(
238
- import_chalk.default.magentaBright(
239
- "\u2551 \u2588\u2588\u2551 \u255A\u2550\u255D \u2588\u2588\u2551\u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2551\u2588\u2588\u2551 \u2588\u2588\u2551 \u2551"
240
- )
241
- );
242
- console.log(
243
- import_chalk.default.magentaBright(
244
- "\u2551 \u255A\u2550\u255D \u255A\u2550\u255D\u255A\u2550\u255D \u255A\u2550\u255D\u255A\u2550\u255D \u255A\u2550\u255D\u255A\u2550\u255D\u255A\u2550\u255D \u255A\u2550\u255D \u2551"
245
- )
246
- );
247
- console.log(
248
- import_chalk.default.magentaBright(
249
- "\u2551 \u2551"
250
- )
251
- );
252
- console.log(
253
- import_chalk.default.magentaBright(
254
- "\u2551 \u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2551"
255
- )
256
- );
257
- console.log(
258
- import_chalk.default.magentaBright(
259
- "\u2551 \u2588\u2588\u2554\u2550\u2550\u2550\u2550\u255D\u2588\u2588\u2554\u2550\u2550\u2550\u2588\u2588\u2557\u2588\u2588\u2554\u2550\u2550\u2588\u2588\u2557\u2588\u2588\u2554\u2550\u2550\u2550\u2550\u255D \u2551"
260
- )
261
- );
262
- console.log(
263
- import_chalk.default.magentaBright(
264
- "\u2551 \u2588\u2588\u2551 \u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2588\u2588\u2588\u2557 \u2551"
265
- )
266
- );
267
- console.log(
268
- import_chalk.default.magentaBright(
269
- "\u2551 \u2588\u2588\u2551 \u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2551 \u2588\u2588\u2551\u2588\u2588\u2554\u2550\u2550\u255D \u2551"
270
- )
271
- );
272
- console.log(
273
- import_chalk.default.magentaBright(
274
- "\u2551 \u255A\u2588\u2588\u2588\u2588\u2588\u2588\u2557\u255A\u2588\u2588\u2588\u2588\u2588\u2588\u2554\u255D\u2588\u2588\u2588\u2588\u2588\u2588\u2554\u255D\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2557 \u2551"
275
- )
276
- );
277
- console.log(
278
- import_chalk.default.magentaBright(
279
- "\u2551 \u255A\u2550\u2550\u2550\u2550\u2550\u255D \u255A\u2550\u2550\u2550\u2550\u2550\u255D \u255A\u2550\u2550\u2550\u2550\u2550\u255D \u255A\u2550\u2550\u2550\u2550\u2550\u2550\u255D \u2551"
280
- )
281
- );
282
- console.log(
283
- import_chalk.default.magentaBright(
284
- "\u2551 \u2551"
285
- )
286
- );
287
- console.log(
288
- import_chalk.default.magentaBright(
289
- "\u2551 AI-Powered Development Platform \u2551"
290
- )
291
- );
292
- console.log(
293
- import_chalk.default.magentaBright(
294
- "\u2551 (c) 2025 Bonginkan Inc. \u2551"
295
- )
296
- );
297
- console.log(
298
- import_chalk.default.magentaBright(
299
- "\u2551 \u2551"
300
- )
301
- );
302
- console.log(
303
- import_chalk.default.magentaBright(
304
- "\u255A\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u2550\u255D"
305
- )
306
- );
307
- console.log("");
308
- console.log(
309
- import_chalk.default.cyan.bold(`MARIA CODE v${getVersion()}`) + import_chalk.default.gray(" \u2014 Ready")
310
- );
311
- console.log(
312
- import_chalk.default.yellow("Type /login to get started \xB7 /help for commands")
313
- );
314
- console.log("");
315
- }
316
- function displayCompactLogo() {
317
- process.stdout.write("\x1B[2J\x1B[H");
318
- console.log(
319
- import_chalk.default.cyan.bold(`MARIA CODE v${getVersion()}`) + import_chalk.default.gray(" \u2014 Ready")
320
- );
321
- console.log(
322
- import_chalk.default.yellow("Type /login to get started \xB7 /help for commands")
323
- );
324
- console.log("");
325
- }
326
- function displayDashboardHeader() {
327
- process.stdout.write("\x1B[2J\x1B[H");
328
- const version = import_chalk.default.cyan.bold(`MARIA CODE v${getVersion()}`);
329
- const commands = import_chalk.default.gray(" | /help /status /model");
330
- const providers = import_chalk.default.gray(
331
- "Providers: 8/8 OK (openai, anthropic, google, groq, lmstudio, ollama, vllm)"
332
- );
333
- console.log(version + commands);
334
- console.log(providers);
335
- console.log("");
336
- }
337
- function displayLogsBox(logs) {
338
- const width = getResponsiveWidth({ marginLeft: 5, marginRight: 5, maxWidth: 120 });
339
- const borderColor = import_chalk.default.white;
340
- const titleColor = import_chalk.default.cyan;
341
- const topLeft = "\u250C";
342
- const topRight = "\u2510";
343
- const bottomLeft = "\u2514";
344
- const bottomRight = "\u2518";
345
- const horizontal = "\u2500";
346
- const vertical = "\u2502";
347
- const lines = [];
348
- const title = " Logs ";
349
- const titlePadding = width - title.length - 2;
350
- const leftPadding = Math.floor(titlePadding / 2);
351
- const _rightPadding = titlePadding - leftPadding;
352
- lines.push(
353
- borderColor(topLeft) + titleColor(title) + borderColor(horizontal.repeat(width - title.length - 2)) + borderColor(topRight)
354
- );
355
- logs.forEach((log) => {
356
- const contentWidth = width - 4;
357
- const truncatedLog = log.length > contentWidth ? log.substring(0, contentWidth - 3) + "..." : log;
358
- const padding = width - truncatedLog.length - 4;
359
- lines.push(
360
- borderColor(vertical) + " " + truncatedLog + " ".repeat(Math.max(0, padding)) + " " + borderColor(vertical)
361
- );
362
- });
363
- if (logs.length === 0) {
364
- lines.push(
365
- borderColor(vertical) + " ".repeat(width - 2) + borderColor(vertical)
366
- );
367
- }
368
- lines.push(
369
- borderColor(bottomLeft + horizontal.repeat(width - 2) + bottomRight)
370
- );
371
- console.log(lines.join("\n"));
372
- }
373
- function displaySpinner(text = "Processing") {
374
- const spinnerFrames = ["\u280B", "\u2819", "\u2839", "\u2838", "\u283C", "\u2834", "\u2826", "\u2827", "\u2807", "\u280F"];
375
- const frame = spinnerFrames[Math.floor(Date.now() / 80) % spinnerFrames.length];
376
- process.stdout.write(`\r[${import_chalk.default.cyan(frame)}] ${text}...`);
377
- }
378
- function getCurrentPath() {
379
- return process.cwd();
380
- }
381
- function getSystemInfo() {
382
- return {
383
- platform: os.platform(),
384
- hostname: os.hostname(),
385
- user: os.userInfo().username,
386
- cwd: getCurrentPath()
387
- };
388
- }
389
- async function displayFinalStartupScreen(_selectedProvider, _selectedModel) {
390
- process.stdout.write("\x1B[2J\x1B[3J\x1B[H");
391
- const version = getVersion();
392
- const systemInfo = getSystemInfo();
393
- console.log(
394
- import_chalk.default.cyan.bold(`MARIA CODE v${version}`) + import_chalk.default.gray(" \u2014 Ready")
395
- );
396
- const cwd = systemInfo.cwd.replace(os.homedir(), "~");
397
- console.log(import_chalk.default.gray("cwd: ") + import_chalk.default.white(cwd));
398
- try {
399
- const { authManager: authManager2 } = await import("../cli-auth/index.js").catch(() => ({ authManager: null }));
400
- if (authManager2 && await authManager2.isAuthenticated()) {
401
- try {
402
- const user = await authManager2.getCurrentUser();
403
- console.log(import_chalk.default.green(`Signed in: ${user.email}`));
404
- console.log(import_chalk.default.yellow("Tip: /help \xB7 /help code \xB7 /usage"));
405
- } catch {
406
- console.log(import_chalk.default.green("Signed in"));
407
- console.log(import_chalk.default.yellow("Tip: /help \xB7 /help code \xB7 /usage"));
408
- }
409
- } else {
410
- console.log(import_chalk.default.gray("Not signed in"));
411
- console.log(import_chalk.default.yellow("Tip: /login \xB7 /help \xB7 /help code"));
412
- }
413
- } catch {
414
- console.log(import_chalk.default.gray("Not signed in"));
415
- console.log(import_chalk.default.yellow("Tip: /login \xB7 /help \xB7 /help code"));
416
- }
417
- console.log("");
418
- }
419
- function displayRoundedInputBox() {
420
- const width = getResponsiveWidth({ marginLeft: 5, marginRight: 5, maxWidth: 90 });
421
- const borderColor = import_chalk.default.white;
422
- const promptColor = import_chalk.default.cyan;
423
- const topLeft = "\u256D";
424
- const topRight = "\u256E";
425
- const bottomLeft = "\u2570";
426
- const bottomRight = "\u256F";
427
- const horizontal = "\u2500";
428
- const vertical = "\u2502";
429
- const lines = [];
430
- lines.push(borderColor(topLeft + horizontal.repeat(width - 2) + topRight));
431
- const promptStr = promptColor("> ");
432
- const placeholder = import_chalk.default.gray("");
433
- const inputLine = promptStr + placeholder;
434
- const padding = width - 4;
435
- lines.push(
436
- borderColor(vertical) + inputLine + " ".repeat(Math.max(0, padding)) + borderColor(vertical)
437
- );
438
- lines.push(
439
- borderColor(bottomLeft + horizontal.repeat(width - 2) + bottomRight)
440
- );
441
- console.log(lines.join("\n"));
442
- }
443
- var import_chalk, os;
444
- var init_startup_display = __esm({
445
- "src/services/startup-display.ts"() {
446
- import_chalk = __toESM(require("chalk"), 1);
447
- init_responsive_width();
448
- os = __toESM(require("os"), 1);
449
- init_version();
450
- }
451
- });
452
-
453
35
  // src/providers/config.ts
454
36
  var DEFAULT_PROVIDER2, DEFAULT_MODEL2;
455
37
  var init_config = __esm({
@@ -7305,6 +6887,7 @@ var init_groq_provider = __esm({
7305
6887
  "src/providers/groq-provider.ts"() {
7306
6888
  init_base_provider();
7307
6889
  GroqProvider = class extends UnifiedBaseProvider {
6890
+ id = "groq";
7308
6891
  name = "groq";
7309
6892
  modelsCache;
7310
6893
  constructor(apiKey) {
@@ -7330,6 +6913,15 @@ var init_groq_provider = __esm({
7330
6913
  }
7331
6914
  }
7332
6915
  async getModels() {
6916
+ const models = [
6917
+ "llama-3.3-70b-versatile",
6918
+ "llama-3.2-90b-vision-preview",
6919
+ "mixtral-8x7b-32768",
6920
+ "gemma2-9b-it"
6921
+ ];
6922
+ return models;
6923
+ }
6924
+ async getModelInfo() {
7333
6925
  if (this.modelsCache) {
7334
6926
  return this.modelsCache;
7335
6927
  }
@@ -7382,33 +6974,102 @@ var init_groq_provider = __esm({
7382
6974
  this.modelsCache = models;
7383
6975
  return models;
7384
6976
  }
6977
+ async complete(prompt, req) {
6978
+ if (!await this.isAvailable()) {
6979
+ throw new Error("Groq API not available");
6980
+ }
6981
+ const model = req.model || "mixtral-8x7b-32768";
6982
+ const payload = {
6983
+ model,
6984
+ messages: [{ role: "user", content: prompt }],
6985
+ temperature: req.temperature || 0.7,
6986
+ max_tokens: req.maxTokens || 4e3,
6987
+ stream: false
6988
+ };
6989
+ const response2 = await this.makeRequest(
6990
+ `${this.apiBase}/chat/completions`,
6991
+ {
6992
+ method: "POST",
6993
+ headers: {
6994
+ Authorization: `Bearer ${this.apiKey}`,
6995
+ ...req.headers
6996
+ },
6997
+ body: payload,
6998
+ timeout: req.timeoutMs
6999
+ }
7000
+ );
7001
+ return {
7002
+ content: response2.choices[0]?.message?.content || "",
7003
+ model,
7004
+ usage: {
7005
+ promptTokens: response2.usage?.prompt_tokens || 0,
7006
+ completionTokens: response2.usage?.completion_tokens || 0,
7007
+ totalTokens: response2.usage?.total_tokens || 0
7008
+ },
7009
+ finishReason: response2.choices[0]?.finish_reason || "stop"
7010
+ };
7011
+ }
7012
+ async stream(prompt, req) {
7013
+ if (!await this.isAvailable()) {
7014
+ throw new Error("Groq API not available");
7015
+ }
7016
+ const model = req.model || "mixtral-8x7b-32768";
7017
+ const payload = {
7018
+ model,
7019
+ messages: [{ role: "user", content: prompt }],
7020
+ temperature: req.temperature || 0.7,
7021
+ max_tokens: req.maxTokens || 4e3,
7022
+ stream: true
7023
+ };
7024
+ const stream = await this.makeStreamRequest(
7025
+ `${this.apiBase}/chat/completions`,
7026
+ {
7027
+ method: "POST",
7028
+ headers: {
7029
+ Authorization: `Bearer ${this.apiKey}`,
7030
+ ...req.headers
7031
+ },
7032
+ body: payload,
7033
+ timeout: req.timeoutMs
7034
+ }
7035
+ );
7036
+ async function* chunkGenerator() {
7037
+ for await (const chunk of stream) {
7038
+ yield {
7039
+ content: chunk,
7040
+ delta: chunk
7041
+ };
7042
+ }
7043
+ }
7044
+ return chunkGenerator();
7045
+ }
7385
7046
  async chat(request) {
7386
7047
  if (!await this.isAvailable()) {
7387
7048
  throw new Error("Groq API not available");
7388
7049
  }
7389
- const _model = request._model || "mixtral-8x7b-32768";
7050
+ const model = request.model || "mixtral-8x7b-32768";
7390
7051
  const _startTime = Date.now();
7391
7052
  const _payload = {
7392
- _model,
7053
+ model,
7393
7054
  messages: request.messages,
7394
7055
  temperature: request.temperature || 0.7,
7395
- maxtokens: request.maxTokens || 4e3,
7396
- _stream: request._stream || false
7056
+ max_tokens: request.maxTokens || 4e3,
7057
+ stream: request.stream || false
7397
7058
  };
7398
- if (request._stream) {
7399
- const _stream = await this.makeStreamRequest(
7059
+ if (request.stream) {
7060
+ const stream = await this.makeStreamRequest(
7400
7061
  `${this.apiBase}/chat/completions`,
7401
7062
  {
7402
7063
  method: "POST",
7403
7064
  headers: {
7404
7065
  Authorization: `Bearer ${this.apiKey}`
7405
7066
  },
7406
- body: JSON.stringify(_payload)
7067
+ body: _payload
7407
7068
  }
7408
7069
  );
7409
7070
  return {
7410
- _stream,
7411
- _model,
7071
+ stream,
7072
+ model,
7412
7073
  provider: this.name,
7413
7074
  responseTime: Date.now() - _startTime
7414
7075
  };
@@ -7420,12 +7081,12 @@ var init_groq_provider = __esm({
7420
7081
  headers: {
7421
7082
  Authorization: `Bearer ${this.apiKey}`
7422
7083
  },
7423
- body: JSON.stringify(_payload)
7084
+ body: _payload
7424
7085
  }
7425
7086
  );
7426
7087
  return {
7427
7088
  content: _response.choices[0]?.message?.content || "",
7428
- _model,
7089
+ model,
7429
7090
  provider: this.name,
7430
7091
  usage: {
7431
7092
  promptTokens: _response.usage?.prompt_tokens || 0,
@@ -7442,7 +7103,7 @@ var init_groq_provider = __esm({
7442
7103
  const _base64Image = _image.toString("base64");
7443
7104
  const _startTime = Date.now();
7444
7105
  const _payload = {
7445
- _model: "llama-3.2-90b-vision-preview",
7106
+ model: "llama-3.2-90b-vision-preview",
7446
7107
  messages: [
7447
7108
  {
7448
7109
  role: "user",
@@ -7457,7 +7118,7 @@ var init_groq_provider = __esm({
7457
7118
  ]
7458
7119
  }
7459
7120
  ],
7460
- maxtokens: 4e3
7121
+ max_tokens: 4e3
7461
7122
  };
7462
7123
  const _response = await this.makeRequest(
7463
7124
  `${this.apiBase}/chat/completions`,
@@ -7466,12 +7127,12 @@ var init_groq_provider = __esm({
7466
7127
  headers: {
7467
7128
  Authorization: `Bearer ${this.apiKey}`
7468
7129
  },
7469
- body: JSON.stringify(_payload)
7130
+ body: _payload
7470
7131
  }
7471
7132
  );
7472
7133
  return {
7473
7134
  content: _response.choices[0]?.message?.content || "",
7474
- _model: "llama-3.2-90b-vision-preview",
7135
+ model: "llama-3.2-90b-vision-preview",
7475
7136
  provider: this.name,
7476
7137
  usage: {
7477
7138
  promptTokens: _response.usage?.prompt_tokens || 0,
@@ -8252,10 +7913,10 @@ var init_llm_health_checker = __esm({
8252
7913
  });
8253
7914
 
8254
7915
  // src/services/provider-selector.ts
8255
- var import_chalk2, ProviderSelector;
7916
+ var import_chalk, ProviderSelector;
8256
7917
  var init_provider_selector = __esm({
8257
7918
  "src/services/provider-selector.ts"() {
8258
- import_chalk2 = __toESM(require("chalk"), 1);
7919
+ import_chalk = __toESM(require("chalk"), 1);
8259
7920
  init_providers();
8260
7921
  ProviderSelector = class {
8261
7922
  config;
@@ -8271,29 +7932,29 @@ var init_provider_selector = __esm({
8271
7932
  const inquirer = await import("inquirer");
8272
7933
  const prompt = inquirer.default?.prompt || inquirer.prompt;
8273
7934
  const providers = await this.getAvailableProviders();
8274
- console.log(import_chalk2.default.cyan("\nAvailable AI Providers:"));
8275
- console.log(import_chalk2.default.gray("\u2500".repeat(50)));
7935
+ console.log(import_chalk.default.cyan("\nAvailable AI Providers:"));
7936
+ console.log(import_chalk.default.gray("\u2500".repeat(50)));
8276
7937
  const _cloudProviders = providers.filter((p) => p.type === "cloud");
8277
7938
  const _localProviders = providers.filter((p) => p.type === "local");
8278
7939
  if (_cloudProviders.length > 0) {
8279
- console.log(import_chalk2.default.yellow("\n\u2601\uFE0F Cloud AI:"));
7940
+ console.log(import_chalk.default.yellow("\n\u2601\uFE0F Cloud AI:"));
8280
7941
  _cloudProviders.forEach((p) => {
8281
7942
  if (p.available) {
8282
7943
  console.log(
8283
- ` ${import_chalk2.default.green("*")} ${import_chalk2.default.white(p.name.split(" ")[0])}`
7944
+ ` ${import_chalk.default.green("*")} ${import_chalk.default.white(p.name.split(" ")[0])}`
8284
7945
  );
8285
7946
  } else {
8286
- console.log(` ${import_chalk2.default.gray(p.name.split(" ")[0])}`);
7947
+ console.log(` ${import_chalk.default.gray(p.name.split(" ")[0])}`);
8287
7948
  }
8288
7949
  });
8289
7950
  }
8290
7951
  if (_localProviders.length > 0) {
8291
- console.log(import_chalk2.default.cyan("\n\u{1F4BB} Local AI:"));
7952
+ console.log(import_chalk.default.cyan("\n\u{1F4BB} Local AI:"));
8292
7953
  _localProviders.forEach((p) => {
8293
7954
  if (p.available) {
8294
- console.log(` ${import_chalk2.default.green("*")} ${import_chalk2.default.white(p.name)}`);
7955
+ console.log(` ${import_chalk.default.green("*")} ${import_chalk.default.white(p.name)}`);
8295
7956
  } else {
8296
- console.log(` ${import_chalk2.default.green("*")} ${import_chalk2.default.gray(p.name)}`);
7957
+ console.log(` ${import_chalk.default.green("*")} ${import_chalk.default.gray(p.name)}`);
8297
7958
  }
8298
7959
  });
8299
7960
  }
@@ -8308,20 +7969,20 @@ var init_provider_selector = __esm({
8308
7969
  });
8309
7970
  if (selectableProviders.length === 0) {
8310
7971
  console.log(
8311
- import_chalk2.default.yellow("\n\u26A0\uFE0F No AI providers are currently available.")
7972
+ import_chalk.default.yellow("\n\u26A0\uFE0F No AI providers are currently available.")
8312
7973
  );
8313
- console.log(import_chalk2.default.gray("\nTo use MARIA, you need to:"));
7974
+ console.log(import_chalk.default.gray("\nTo use MARIA, you need to:"));
8314
7975
  console.log(
8315
- import_chalk2.default.gray(
7976
+ import_chalk.default.gray(
8316
7977
  "1. Set up API keys for cloud providers (OpenAI, Anthropic, Google, etc.)"
8317
7978
  )
8318
7979
  );
8319
- console.log(import_chalk2.default.gray(" Example: export OPENAI_API_KEY=your_api_key"));
7980
+ console.log(import_chalk.default.gray(" Example: export OPENAI_API_KEY=your_api_key"));
8320
7981
  console.log(
8321
- import_chalk2.default.gray("2. Or start a local AI service (Ollama, LM Studio, vLLM)")
7982
+ import_chalk.default.gray("2. Or start a local AI service (Ollama, LM Studio, vLLM)")
8322
7983
  );
8323
- console.log(import_chalk2.default.gray(" Example: maria setup-ollama"));
8324
- console.log(import_chalk2.default.gray("\nFor more information, run: maria --help"));
7984
+ console.log(import_chalk.default.gray(" Example: maria setup-ollama"));
7985
+ console.log(import_chalk.default.gray("\nFor more information, run: maria --help"));
8325
7986
  process.exit(1);
8326
7987
  }
8327
7988
  const choices = selectableProviders.map((p) => ({
@@ -8342,29 +8003,29 @@ var init_provider_selector = __esm({
8342
8003
  const provider = providers.find((p) => p.value === selectedProvider);
8343
8004
  if (provider && provider.type === "local" && !provider.available) {
8344
8005
  console.log(
8345
- import_chalk2.default.yellow(`
8006
+ import_chalk.default.yellow(`
8346
8007
  \u26A0\uFE0F ${provider.name} is not currently running.`)
8347
8008
  );
8348
- console.log(import_chalk2.default.gray(`
8009
+ console.log(import_chalk.default.gray(`
8349
8010
  To use ${provider.name}, you need to:`));
8350
8011
  if (selectedProvider === "ollama") {
8351
- console.log(import_chalk2.default.gray("1. Install Ollama: brew install ollama"));
8352
- console.log(import_chalk2.default.gray("2. Start Ollama: ollama serve"));
8353
- console.log(import_chalk2.default.gray("3. Pull a model: ollama pull llama3.2:3b"));
8012
+ console.log(import_chalk.default.gray("1. Install Ollama: brew install ollama"));
8013
+ console.log(import_chalk.default.gray("2. Start Ollama: ollama serve"));
8014
+ console.log(import_chalk.default.gray("3. Pull a model: ollama pull llama3.2:3b"));
8354
8015
  console.log(
8355
- import_chalk2.default.gray("\nOr use the setup command: maria setup-ollama")
8016
+ import_chalk.default.gray("\nOr use the setup command: maria setup-ollama")
8356
8017
  );
8357
8018
  } else if (selectedProvider === "lmstudio") {
8358
8019
  console.log(
8359
- import_chalk2.default.gray("1. Download LM Studio from https://lmstudio.ai")
8020
+ import_chalk.default.gray("1. Download LM Studio from https://lmstudio.ai")
8360
8021
  );
8361
- console.log(import_chalk2.default.gray("2. Start LM Studio application"));
8362
- console.log(import_chalk2.default.gray("3. Load a model in LM Studio"));
8363
- console.log(import_chalk2.default.gray("4. Start the local server in LM Studio"));
8022
+ console.log(import_chalk.default.gray("2. Start LM Studio application"));
8023
+ console.log(import_chalk.default.gray("3. Load a model in LM Studio"));
8024
+ console.log(import_chalk.default.gray("4. Start the local server in LM Studio"));
8364
8025
  } else if (selectedProvider === "vllm") {
8365
- console.log(import_chalk2.default.gray("1. Install vLLM: pip install vllm"));
8366
- console.log(import_chalk2.default.gray("2. Start vLLM server with a model"));
8367
- console.log(import_chalk2.default.gray("\nOr use the setup command: maria setup-vllm"));
8026
+ console.log(import_chalk.default.gray("1. Install vLLM: pip install vllm"));
8027
+ console.log(import_chalk.default.gray("2. Start vLLM server with a model"));
8028
+ console.log(import_chalk.default.gray("\nOr use the setup command: maria setup-vllm"));
8368
8029
  }
8369
8030
  process.exit(1);
8370
8031
  }
@@ -9007,8 +8668,8 @@ ${this.toYamlLike(value, indent + 1)}`;
9007
8668
  const { importNodeBuiltin: importNodeBuiltin2 } = await Promise.resolve().then(() => (init_import_helper(), import_helper_exports));
9008
8669
  const fs12 = await importNodeBuiltin2("fs");
9009
8670
  const _path = await importNodeBuiltin2("path");
9010
- const os9 = await importNodeBuiltin2("os");
9011
- const targetPath = configPath || _path.join(os9.homedir(), ".maria", "config.json");
8671
+ const os8 = await importNodeBuiltin2("os");
8672
+ const targetPath = configPath || _path.join(os8.homedir(), ".maria", "config.json");
9012
8673
  try {
9013
8674
  const data2 = await fs12.promises.readFile(targetPath, "utf-8");
9014
8675
  return JSON.parse(data2);
@@ -9026,8 +8687,8 @@ ${this.toYamlLike(value, indent + 1)}`;
9026
8687
  const { importNodeBuiltin: importNodeBuiltin2 } = await Promise.resolve().then(() => (init_import_helper(), import_helper_exports));
9027
8688
  const fs12 = await importNodeBuiltin2("fs");
9028
8689
  const _path = await importNodeBuiltin2("path");
9029
- const os9 = await importNodeBuiltin2("os");
9030
- const targetPath = configPath || _path.join(os9.homedir(), ".maria", "config.json");
8690
+ const os8 = await importNodeBuiltin2("os");
8691
+ const targetPath = configPath || _path.join(os8.homedir(), ".maria", "config.json");
9031
8692
  try {
9032
8693
  if (options?.backup) {
9033
8694
  try {
@@ -9175,6 +8836,88 @@ ${this.toYamlLike(value, indent + 1)}`;
9175
8836
  }
9176
8837
  });
9177
8838
 
8839
+ // src/utils/version.ts
8840
+ function getVersion() {
8841
+ if (_cachedVersion) {
8842
+ return _cachedVersion;
8843
+ }
8844
+ try {
8845
+ const packageJson = getPackageJson();
8846
+ _cachedVersion = packageJson.version;
8847
+ return _cachedVersion;
8848
+ } catch (error2) {
8849
+ _cachedVersion = "latest";
8850
+ return _cachedVersion;
8851
+ }
8852
+ }
8853
+ function getPackageJson() {
8854
+ if (_cachedPackageJson) {
8855
+ return _cachedPackageJson;
8856
+ }
8857
+ try {
8858
+ const possiblePaths = [
8859
+ // When running from built dist/
8860
+ (0, import_path.join)(__dirname, "../../package.json"),
8861
+ // When running from source
8862
+ (0, import_path.join)(__dirname, "../../../package.json"),
8863
+ // Current working directory
8864
+ (0, import_path.join)(process.cwd(), "package.json"),
8865
+ // One level up from current working directory
8866
+ (0, import_path.join)(process.cwd(), "../package.json"),
8867
+ // For globally installed packages
8868
+ (0, import_path.join)(__dirname, "../../../../package.json"),
8869
+ (0, import_path.join)(__dirname, "../../../../../package.json"),
8870
+ // npm global install locations
8871
+ "/usr/local/lib/node_modules/@bonginkan/maria/package.json",
8872
+ "/usr/lib/node_modules/@bonginkan/maria/package.json",
8873
+ // User home npm global
8874
+ (0, import_path.join)(
8875
+ process.env.HOME || "",
8876
+ ".npm-global/lib/node_modules/@bonginkan/maria/package.json"
8877
+ ),
8878
+ (0, import_path.join)(
8879
+ process.env.HOME || "",
8880
+ ".nvm/versions/node",
8881
+ process.version,
8882
+ "lib/node_modules/@bonginkan/maria/package.json"
8883
+ )
8884
+ ];
8885
+ let packageJsonPath = null;
8886
+ for (const path12 of possiblePaths) {
8887
+ if ((0, import_fs.existsSync)(path12)) {
8888
+ try {
8889
+ const content = (0, import_fs.readFileSync)(path12, "utf-8");
8890
+ const parsed = JSON.parse(content);
8891
+ if (parsed.name === "@bonginkan/maria") {
8892
+ packageJsonPath = path12;
8893
+ break;
8894
+ }
8895
+ } catch {
8896
+ continue;
8897
+ }
8898
+ }
8899
+ }
8900
+ if (!packageJsonPath) {
8901
+ throw new Error("package.json not found in any expected location");
8902
+ }
8903
+ const packageJsonContent = (0, import_fs.readFileSync)(packageJsonPath, "utf-8");
8904
+ _cachedPackageJson = JSON.parse(packageJsonContent);
8905
+ return _cachedPackageJson;
8906
+ } catch (error2) {
8907
+ throw new Error(`Failed to read package.json: ${error2}`);
8908
+ }
8909
+ }
8910
+ var import_fs, import_path, _cachedVersion, _cachedPackageJson, VERSION;
8911
+ var init_version = __esm({
8912
+ "src/utils/version.ts"() {
8913
+ import_fs = require("fs");
8914
+ import_path = require("path");
8915
+ _cachedVersion = null;
8916
+ _cachedPackageJson = null;
8917
+ VERSION = getVersion();
8918
+ }
8919
+ });
8920
+
9178
8921
  // src/config/defaults.ts
9179
8922
  var parseList, DEFAULT_UI_CONFIG, DEFAULT_PROVIDER_PREFS, AI_PROVIDERS_CONFIG, APP_VERSION;
9180
8923
  var init_defaults = __esm({
@@ -12398,7 +12141,7 @@ var init_UserPatternAnalyzer = __esm({
12398
12141
  });
12399
12142
 
12400
12143
  // src/services/intelligent-router/app/IntelligentRouterService.ts
12401
- var import_node_events, import_chalk3, IntelligentRouterService;
12144
+ var import_node_events, import_chalk2, IntelligentRouterService;
12402
12145
  var init_IntelligentRouterService = __esm({
12403
12146
  "src/services/intelligent-router/app/IntelligentRouterService.ts"() {
12404
12147
  import_node_events = require("events");
@@ -12409,7 +12152,7 @@ var init_IntelligentRouterService = __esm({
12409
12152
  init_LanguageDetector();
12410
12153
  init_CommandMappings();
12411
12154
  init_UserPatternAnalyzer();
12412
- import_chalk3 = __toESM(require("chalk"), 1);
12155
+ import_chalk2 = __toESM(require("chalk"), 1);
12413
12156
  IntelligentRouterService = class extends import_node_events.EventEmitter {
12414
12157
  nlpProcessor;
12415
12158
  intentRecognizer;
@@ -12468,7 +12211,7 @@ var init_IntelligentRouterService = __esm({
12468
12211
  this.emit("initialized");
12469
12212
  } catch (_error) {
12470
12213
  console._error(
12471
- import_chalk3.default.red("Failed to initialize Intelligent Router:"),
12214
+ import_chalk2.default.red("Failed to initialize Intelligent Router:"),
12472
12215
  _error
12473
12216
  );
12474
12217
  throw _error;
@@ -12522,7 +12265,7 @@ var init_IntelligentRouterService = __esm({
12522
12265
  } catch (_error) {
12523
12266
  this.metrics.failedRoutes++;
12524
12267
  this.emit("route:_error", { input: input3, _error });
12525
- console._error(import_chalk3.default.red("Routing _error:"), _error);
12268
+ console._error(import_chalk2.default.red("Routing _error:"), _error);
12526
12269
  return null;
12527
12270
  }
12528
12271
  }
@@ -13207,38 +12950,38 @@ var init_ReadlineAdapter = __esm({
13207
12950
  });
13208
12951
 
13209
12952
  // src/services/interactive-session/adapters/ChalkAdapter.ts
13210
- var import_chalk4, import_ora, ChalkAdapter;
12953
+ var import_chalk3, import_ora, ChalkAdapter;
13211
12954
  var init_ChalkAdapter = __esm({
13212
12955
  "src/services/interactive-session/adapters/ChalkAdapter.ts"() {
13213
- import_chalk4 = __toESM(require("chalk"), 1);
12956
+ import_chalk3 = __toESM(require("chalk"), 1);
13214
12957
  import_ora = __toESM(require("ora"), 1);
13215
12958
  ChalkAdapter = class {
13216
12959
  spinners = /* @__PURE__ */ new Map();
13217
12960
  spinnerId = 0;
13218
12961
  async showWelcome() {
13219
12962
  console.log(
13220
- import_chalk4.default.cyan.bold("\n\u{1F916} Welcome to MARIA Interactive Session v3.5.0")
12963
+ import_chalk3.default.cyan.bold("\n\u{1F916} Welcome to MARIA Interactive Session v3.5.0")
13221
12964
  );
13222
- console.log(import_chalk4.default.gray("Type /help for available commands\n"));
12965
+ console.log(import_chalk3.default.gray("Type /help for available commands\n"));
13223
12966
  }
13224
12967
  showGoodbye() {
13225
12968
  this.stopAllSpinners();
13226
- console.log(import_chalk4.default.yellow("\n\u{1F44B} Goodbye! Thank you for using MARIA.\n"));
12969
+ console.log(import_chalk3.default.yellow("\n\u{1F44B} Goodbye! Thank you for using MARIA.\n"));
13227
12970
  }
13228
12971
  async print(message) {
13229
12972
  console.log(message);
13230
12973
  }
13231
12974
  error(message) {
13232
- console.error(import_chalk4.default.red(`\u274C ${message}`));
12975
+ console.error(import_chalk3.default.red(`\u274C ${message}`));
13233
12976
  }
13234
12977
  success(message) {
13235
- console.log(import_chalk4.default.green(`\u2705 ${message}`));
12978
+ console.log(import_chalk3.default.green(`\u2705 ${message}`));
13236
12979
  }
13237
12980
  warning(message) {
13238
- console.warn(import_chalk4.default.yellow(`\u26A0\uFE0F ${message}`));
12981
+ console.warn(import_chalk3.default.yellow(`\u26A0\uFE0F ${message}`));
13239
12982
  }
13240
12983
  info(message) {
13241
- console.info(import_chalk4.default.blue(`\u2139\uFE0F ${message}`));
12984
+ console.info(import_chalk3.default.blue(`\u2139\uFE0F ${message}`));
13242
12985
  }
13243
12986
  startSpinner(message) {
13244
12987
  const id = `spinner-${++this.spinnerId}`;
@@ -13288,12 +13031,12 @@ var init_ChalkAdapter = __esm({
13288
13031
  * Format helpers for consistent styling
13289
13032
  */
13290
13033
  static format = {
13291
- command: (text) => import_chalk4.default.cyan(text),
13292
- keyword: (text) => import_chalk4.default.magenta(text),
13293
- value: (text) => import_chalk4.default.green(text),
13294
- dim: (text) => import_chalk4.default.gray(text),
13295
- bold: (text) => import_chalk4.default.bold(text),
13296
- code: (text) => import_chalk4.default.bgGray.white(` ${text} `)
13034
+ command: (text) => import_chalk3.default.cyan(text),
13035
+ keyword: (text) => import_chalk3.default.magenta(text),
13036
+ value: (text) => import_chalk3.default.green(text),
13037
+ dim: (text) => import_chalk3.default.gray(text),
13038
+ bold: (text) => import_chalk3.default.bold(text),
13039
+ code: (text) => import_chalk3.default.bgGray.white(` ${text} `)
13297
13040
  };
13298
13041
  };
13299
13042
  }
@@ -15398,10 +15141,10 @@ var init_dual_memory_engine = __esm({
15398
15141
  });
15399
15142
 
15400
15143
  // src/utils/logger.ts
15401
- var import_chalk5, LogLevel, Logger, logger, envLogLevel;
15144
+ var import_chalk4, LogLevel, Logger, logger, envLogLevel;
15402
15145
  var init_logger = __esm({
15403
15146
  "src/utils/logger.ts"() {
15404
- import_chalk5 = __toESM(require("chalk"), 1);
15147
+ import_chalk4 = __toESM(require("chalk"), 1);
15405
15148
  LogLevel = /* @__PURE__ */ ((LogLevel2) => {
15406
15149
  LogLevel2[LogLevel2["DEBUG"] = 0] = "DEBUG";
15407
15150
  LogLevel2[LogLevel2["INFO"] = 1] = "INFO";
@@ -15419,27 +15162,27 @@ var init_logger = __esm({
15419
15162
  }
15420
15163
  debug(...args) {
15421
15164
  if (this.level <= 0 /* DEBUG */) {
15422
- console.log(import_chalk5.default.magenta(`${this.prefix} [DEBUG]`), ...args);
15165
+ console.log(import_chalk4.default.magenta(`${this.prefix} [DEBUG]`), ...args);
15423
15166
  }
15424
15167
  }
15425
15168
  info(...args) {
15426
15169
  if (this.level <= 1 /* INFO */) {
15427
- console.log(import_chalk5.default.bold.magenta(`${this.prefix} [INFO]`), ...args);
15170
+ console.log(import_chalk4.default.bold.magenta(`${this.prefix} [INFO]`), ...args);
15428
15171
  }
15429
15172
  }
15430
15173
  warn(...args) {
15431
15174
  if (this.level <= 2 /* WARN */) {
15432
- console.warn(import_chalk5.default.bold.magenta(`${this.prefix} [WARN]`), ...args);
15175
+ console.warn(import_chalk4.default.bold.magenta(`${this.prefix} [WARN]`), ...args);
15433
15176
  }
15434
15177
  }
15435
15178
  error(...args) {
15436
15179
  if (this.level <= 3 /* ERROR */) {
15437
- console.error(import_chalk5.default.bold.magenta(`${this.prefix} [ERROR]`), ...args);
15180
+ console.error(import_chalk4.default.bold.magenta(`${this.prefix} [ERROR]`), ...args);
15438
15181
  }
15439
15182
  }
15440
15183
  success(...args) {
15441
15184
  if (this.level <= 1 /* INFO */) {
15442
- console.log(import_chalk5.default.bold.magenta(`${this.prefix} [SUCCESS]`), ...args);
15185
+ console.log(import_chalk4.default.bold.magenta(`${this.prefix} [SUCCESS]`), ...args);
15443
15186
  }
15444
15187
  }
15445
15188
  task(taskName, status, message) {
@@ -15453,10 +15196,10 @@ var init_logger = __esm({
15453
15196
  error: "\u274C"
15454
15197
  };
15455
15198
  const statusColors = {
15456
- start: import_chalk5.default.bold.magenta,
15457
- progress: import_chalk5.default.magenta,
15458
- complete: import_chalk5.default.bold.magenta,
15459
- error: import_chalk5.default.bold.magenta
15199
+ start: import_chalk4.default.bold.magenta,
15200
+ progress: import_chalk4.default.magenta,
15201
+ complete: import_chalk4.default.bold.magenta,
15202
+ error: import_chalk4.default.bold.magenta
15460
15203
  };
15461
15204
  const icon = statusIcons[status];
15462
15205
  const color = statusColors[status];
@@ -15473,14 +15216,14 @@ var init_logger = __esm({
15473
15216
  if (this.level > 0 /* DEBUG */) {
15474
15217
  return;
15475
15218
  }
15476
- console.log(import_chalk5.default.magenta(`${this.prefix} [JSON]`));
15219
+ console.log(import_chalk4.default.magenta(`${this.prefix} [JSON]`));
15477
15220
  console.log(pretty ? JSON.stringify(obj, null, 2) : JSON.stringify(obj));
15478
15221
  }
15479
15222
  divider() {
15480
15223
  if (this.level > 1 /* INFO */) {
15481
15224
  return;
15482
15225
  }
15483
- console.log(import_chalk5.default.magenta("\u2500".repeat(60)));
15226
+ console.log(import_chalk4.default.magenta("\u2500".repeat(60)));
15484
15227
  }
15485
15228
  clear() {
15486
15229
  console.clear();
@@ -15500,7 +15243,7 @@ var init_logger = __esm({
15500
15243
  const progressText = `${current}/${total}`;
15501
15244
  const labelText = label ? ` ${label}` : "";
15502
15245
  process.stdout.write(
15503
- `\r${import_chalk5.default.bold.magenta(bar)} ${percentage}% ${progressText}${labelText}`
15246
+ `\r${import_chalk4.default.bold.magenta(bar)} ${percentage}% ${progressText}${labelText}`
15504
15247
  );
15505
15248
  if (current === total) {
15506
15249
  process.stdout.write("\n");
@@ -18569,11 +18312,11 @@ var init_ApprovalEngine = __esm({
18569
18312
  });
18570
18313
 
18571
18314
  // src/services/quick-approval/QuickApprovalInterface.ts
18572
- var import_node_events3, import_chalk6, QuickApprovalInterface;
18315
+ var import_node_events3, import_chalk5, QuickApprovalInterface;
18573
18316
  var init_QuickApprovalInterface = __esm({
18574
18317
  "src/services/quick-approval/QuickApprovalInterface.ts"() {
18575
18318
  import_node_events3 = require("events");
18576
- import_chalk6 = __toESM(require("chalk"), 1);
18319
+ import_chalk5 = __toESM(require("chalk"), 1);
18577
18320
  init_ApprovalEngine();
18578
18321
  QuickApprovalInterface = class _QuickApprovalInterface extends import_node_events3.EventEmitter {
18579
18322
  static instance;
@@ -18655,26 +18398,26 @@ var init_QuickApprovalInterface = __esm({
18655
18398
  const _lang = options.language || "en";
18656
18399
  const _labels = LANGUAGE_LABELS[_lang] || LANGUAGE_LABELS.en;
18657
18400
  console.log("");
18658
- console.log(import_chalk6.default.gray("\u250C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2510"));
18401
+ console.log(import_chalk5.default.gray("\u250C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2510"));
18659
18402
  console.log(
18660
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18403
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18661
18404
  ` ${_labels.approvalRequest}${" ".repeat(Math.max(0, 43 - _labels.approvalRequest.length))}`
18662
- ) + import_chalk6.default.gray("\u2502")
18405
+ ) + import_chalk5.default.gray("\u2502")
18663
18406
  );
18664
- console.log(import_chalk6.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18407
+ console.log(import_chalk5.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18665
18408
  const _requestId = `AP-${(/* @__PURE__ */ new Date()).getFullYear()}-${String((/* @__PURE__ */ new Date()).getMonth() + 1).padStart(2, "0")}${String((/* @__PURE__ */ new Date()).getDate()).padStart(2, "0")}-${String(Math.floor(Math.random() * 999)).padStart(3, "0")}`;
18666
18409
  console.log(
18667
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18668
- ` > ${_labels.id}: ${import_chalk6.default.yellow(_requestId)}${" ".repeat(Math.max(0, 35 - _requestId.length - _labels.id.length))}`
18669
- ) + import_chalk6.default.gray("\u2502")
18410
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18411
+ ` > ${_labels.id}: ${import_chalk5.default.yellow(_requestId)}${" ".repeat(Math.max(0, 35 - _requestId.length - _labels.id.length))}`
18412
+ ) + import_chalk5.default.gray("\u2502")
18670
18413
  );
18671
18414
  const _title = _request.context?.description || _request.themeId || "API Cache Improvement";
18672
18415
  const _titleDisplay = _title.length > 25 ? _title.substring(0, 22) + "..." : _title;
18673
18416
  const _titleLabel = ` ${_labels._title}:`;
18674
18417
  console.log(
18675
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18418
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18676
18419
  `${_titleLabel} ${_titleDisplay}${" ".repeat(Math.max(0, 42 - _titleLabel.length - _titleDisplay.length))}`
18677
- ) + import_chalk6.default.gray("\u2502")
18420
+ ) + import_chalk5.default.gray("\u2502")
18678
18421
  );
18679
18422
  const _riskLevel = this.formatRiskLevelSimple(_request.riskAssessment);
18680
18423
  const _approvalsCount = _riskLevel === "HIGH" || _riskLevel === "CRITICAL" ? "2" : "1";
@@ -18682,37 +18425,37 @@ var init_QuickApprovalInterface = __esm({
18682
18425
  const _levelLabel = ` ${_labels.level}:`;
18683
18426
  const _levelDisplay = `${_riskLevel} ${_approvalsText}`;
18684
18427
  console.log(
18685
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18428
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18686
18429
  `${_levelLabel} ${_levelDisplay}${" ".repeat(Math.max(0, 42 - _levelLabel.length - _levelDisplay.length))}`
18687
- ) + import_chalk6.default.gray("\u2502")
18430
+ ) + import_chalk5.default.gray("\u2502")
18688
18431
  );
18689
18432
  const _impact = _request.estimatedTime || "p95 latency -20%";
18690
18433
  const _impactLabel = ` ${_labels._impact}:`;
18691
18434
  console.log(
18692
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18435
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18693
18436
  `${_impactLabel} ${_impact}${" ".repeat(Math.max(0, 42 - _impactLabel.length - _impact.length))}`
18694
- ) + import_chalk6.default.gray("\u2502")
18437
+ ) + import_chalk5.default.gray("\u2502")
18695
18438
  );
18696
18439
  const _approversLabel = ` ${_labels.approvers}:`;
18697
18440
  const _approversStatus = "[x] Lead [ ] QA";
18698
18441
  console.log(
18699
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18442
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18700
18443
  `${_approversLabel} ${_approversStatus}${" ".repeat(Math.max(0, 42 - _approversLabel.length - _approversStatus.length))}`
18701
- ) + import_chalk6.default.gray("\u2502")
18444
+ ) + import_chalk5.default.gray("\u2502")
18702
18445
  );
18703
18446
  const _deadline = new Date(Date.now() + 30 * 60 * 1e3);
18704
18447
  const _timeStr = `${_deadline.getFullYear()}-${String(_deadline.getMonth() + 1).padStart(2, "0")}-${String(_deadline.getDate()).padStart(2, "0")} ${String(_deadline.getHours()).padStart(2, "0")}:${String(_deadline.getMinutes()).padStart(2, "0")}`;
18705
18448
  const _deadlineLabel = ` ${_labels._deadline}:`;
18706
18449
  console.log(
18707
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18450
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18708
18451
  `${_deadlineLabel} ${_timeStr}${" ".repeat(Math.max(0, 42 - _deadlineLabel.length - _timeStr.length))}`
18709
- ) + import_chalk6.default.gray("\u2502")
18452
+ ) + import_chalk5.default.gray("\u2502")
18710
18453
  );
18711
- console.log(import_chalk6.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18454
+ console.log(import_chalk5.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18712
18455
  console.log(
18713
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18456
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18714
18457
  ` ${_labels.actions}:${" ".repeat(Math.max(0, 42 - _labels.actions.length))}`
18715
- ) + import_chalk6.default.gray("\u2502")
18458
+ ) + import_chalk5.default.gray("\u2502")
18716
18459
  );
18717
18460
  this.menuOptions.forEach((option, _index) => {
18718
18461
  const _isSelected = _index === this.selectedIndex;
@@ -18723,32 +18466,32 @@ var init_QuickApprovalInterface = __esm({
18723
18466
  switch (option) {
18724
18467
  case "approve":
18725
18468
  label = _labels.approve;
18726
- color = import_chalk6.default.green;
18469
+ color = import_chalk5.default.green;
18727
18470
  break;
18728
18471
  case "reject":
18729
18472
  label = _labels.reject;
18730
- color = import_chalk6.default.red;
18473
+ color = import_chalk5.default.red;
18731
18474
  break;
18732
18475
  case "cancel":
18733
18476
  label = _labels.cancel;
18734
- color = import_chalk6.default.yellow;
18477
+ color = import_chalk5.default.yellow;
18735
18478
  break;
18736
18479
  }
18737
18480
  const _optionText = `${_prefix}[${_key}] ${label}`;
18738
18481
  const _colorFunc = _isSelected ? color.bold : color;
18739
18482
  console.log(
18740
- import_chalk6.default.gray("\u2502") + _colorFunc(
18483
+ import_chalk5.default.gray("\u2502") + _colorFunc(
18741
18484
  `${_optionText}${" ".repeat(Math.max(0, 43 - _optionText.length))}`
18742
- ) + import_chalk6.default.gray("\u2502")
18485
+ ) + import_chalk5.default.gray("\u2502")
18743
18486
  );
18744
18487
  });
18745
- console.log(import_chalk6.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18488
+ console.log(import_chalk5.default.gray("\u251C\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2524"));
18746
18489
  console.log(
18747
- import_chalk6.default.gray("\u2502") + import_chalk6.default.white(
18490
+ import_chalk5.default.gray("\u2502") + import_chalk5.default.white(
18748
18491
  ` ${_labels.moveInstruction}${" ".repeat(Math.max(0, 43 - _labels.moveInstruction.length))}`
18749
- ) + import_chalk6.default.gray("\u2502")
18492
+ ) + import_chalk5.default.gray("\u2502")
18750
18493
  );
18751
- console.log(import_chalk6.default.gray("\u2514\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2518"));
18494
+ console.log(import_chalk5.default.gray("\u2514\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2518"));
18752
18495
  console.log("");
18753
18496
  }
18754
18497
  /**
@@ -18764,13 +18507,13 @@ var init_QuickApprovalInterface = __esm({
18764
18507
  };
18765
18508
  const _formatted = keyMap[_key] || _key;
18766
18509
  const colorMap = {
18767
- "shift+tab": import_chalk6.default.bgGreen.black.bold,
18768
- "ctrl+y": import_chalk6.default.bgBlue.white.bold,
18769
- "ctrl+n": import_chalk6.default.bgRed.white.bold,
18770
- "ctrl+t": import_chalk6.default.bgMagenta.white.bold,
18771
- "ctrl+r": import_chalk6.default.bgYellow.black.bold
18510
+ "shift+tab": import_chalk5.default.bgGreen.black.bold,
18511
+ "ctrl+y": import_chalk5.default.bgBlue.white.bold,
18512
+ "ctrl+n": import_chalk5.default.bgRed.white.bold,
18513
+ "ctrl+t": import_chalk5.default.bgMagenta.white.bold,
18514
+ "ctrl+r": import_chalk5.default.bgYellow.black.bold
18772
18515
  };
18773
- const _colorFunc = colorMap[_key] || import_chalk6.default.bgCyan.black.bold;
18516
+ const _colorFunc = colorMap[_key] || import_chalk5.default.bgCyan.black.bold;
18774
18517
  return _colorFunc(` ${_formatted} `);
18775
18518
  }
18776
18519
  /**
@@ -18779,15 +18522,15 @@ var init_QuickApprovalInterface = __esm({
18779
18522
  formatRiskLevel(risk) {
18780
18523
  switch (risk.toLowerCase()) {
18781
18524
  case "critical":
18782
- return import_chalk6.default.red.bold("CRITICAL");
18525
+ return import_chalk5.default.red.bold("CRITICAL");
18783
18526
  case "high":
18784
- return import_chalk6.default.red("HIGH");
18527
+ return import_chalk5.default.red("HIGH");
18785
18528
  case "medium":
18786
- return import_chalk6.default.yellow("MEDIUM");
18529
+ return import_chalk5.default.yellow("MEDIUM");
18787
18530
  case "low":
18788
- return import_chalk6.default.green("LOW");
18531
+ return import_chalk5.default.green("LOW");
18789
18532
  default:
18790
- return import_chalk6.default.white(risk);
18533
+ return import_chalk5.default.white(risk);
18791
18534
  }
18792
18535
  }
18793
18536
  /**
@@ -18857,7 +18600,7 @@ var init_QuickApprovalInterface = __esm({
18857
18600
  }
18858
18601
  if (_key === "") {
18859
18602
  console.log(`
18860
- ${import_chalk6.default.red("Approval cancelled by user")}`);
18603
+ ${import_chalk5.default.red("Approval cancelled by user")}`);
18861
18604
  this.emit("approval-cancelled", this.currentRequest.id);
18862
18605
  return;
18863
18606
  }
@@ -18914,20 +18657,20 @@ ${import_chalk6.default.red("Approval cancelled by user")}`);
18914
18657
  }
18915
18658
  console.clear();
18916
18659
  console.log(`
18917
- ${import_chalk6.default.bgGreen.black.bold(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18660
+ ${import_chalk5.default.bgGreen.black.bold(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18918
18661
  console.log(
18919
- import_chalk6.default.bgGreen.black.bold("\u2502") + import_chalk6.default.bgGreen.black.bold(
18662
+ import_chalk5.default.bgGreen.black.bold("\u2502") + import_chalk5.default.bgGreen.black.bold(
18920
18663
  ` \u2713 CHOICE SELECTED / \u9078\u629E\u5B8C\u4E86:${" ".repeat(47)}`
18921
- ) + import_chalk6.default.bgGreen.black.bold("\u2502")
18664
+ ) + import_chalk5.default.bgGreen.black.bold("\u2502")
18922
18665
  );
18923
- console.log(import_chalk6.default.bgGreen.black.bold(`\u251C${"\u2500".repeat(78)}\u2524`));
18666
+ console.log(import_chalk5.default.bgGreen.black.bold(`\u251C${"\u2500".repeat(78)}\u2524`));
18924
18667
  const _choiceText = `${_choice.label} (${_choice.labelJa})`;
18925
18668
  const _padding = " ".repeat(Math.max(0, 76 - _choiceText.length));
18926
18669
  console.log(
18927
- import_chalk6.default.bgGreen.black.bold("\u2502") + import_chalk6.default.bgGreen.black.bold(` ${_choiceText}${_padding}`) + import_chalk6.default.bgGreen.black.bold("\u2502")
18670
+ import_chalk5.default.bgGreen.black.bold("\u2502") + import_chalk5.default.bgGreen.black.bold(` ${_choiceText}${_padding}`) + import_chalk5.default.bgGreen.black.bold("\u2502")
18928
18671
  );
18929
- console.log(import_chalk6.default.bgGreen.black.bold(`\u2514${"\u2500".repeat(78)}\u2518`));
18930
- console.log(import_chalk6.default.yellow("\n\u{1F504} Processing your approval decision..."));
18672
+ console.log(import_chalk5.default.bgGreen.black.bold(`\u2514${"\u2500".repeat(78)}\u2518`));
18673
+ console.log(import_chalk5.default.yellow("\n\u{1F504} Processing your approval decision..."));
18931
18674
  try {
18932
18675
  const _response = await this.approvalEngine.processApprovalResponse(
18933
18676
  this.currentRequest.id,
@@ -18937,30 +18680,30 @@ ${import_chalk6.default.bgGreen.black.bold(`\u250C${"\u2500".repeat(78)}\u2510`)
18937
18680
  );
18938
18681
  response.quickDecision = true;
18939
18682
  console.log(`
18940
- ${import_chalk6.default.bgGreen.black(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18683
+ ${import_chalk5.default.bgGreen.black(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18941
18684
  console.log(
18942
- import_chalk6.default.bgGreen.black("\u2502") + import_chalk6.default.bgGreen.black(
18685
+ import_chalk5.default.bgGreen.black("\u2502") + import_chalk5.default.bgGreen.black(
18943
18686
  ` \u{1F389} APPROVAL PROCESSED SUCCESSFULLY / \u627F\u8A8D\u51E6\u7406\u5B8C\u4E86!${" ".repeat(32)}`
18944
- ) + import_chalk6.default.bgGreen.black("\u2502")
18687
+ ) + import_chalk5.default.bgGreen.black("\u2502")
18945
18688
  );
18946
- console.log(import_chalk6.default.bgGreen.black(`\u2514${"\u2500".repeat(78)}\u2518`));
18689
+ console.log(import_chalk5.default.bgGreen.black(`\u2514${"\u2500".repeat(78)}\u2518`));
18947
18690
  if (_choice.trustLevel) {
18948
18691
  console.log(
18949
- import_chalk6.default.blue(`
18692
+ import_chalk5.default.blue(`
18950
18693
  \u2728 Trust level updated: ${_choice.trustLevel}`)
18951
18694
  );
18952
18695
  }
18953
18696
  this.emit("approval-_response", _response);
18954
18697
  } catch (_error) {
18955
18698
  console.log(`
18956
- ${import_chalk6.default.bgRed.white.bold(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18699
+ ${import_chalk5.default.bgRed.white.bold(`\u250C${"\u2500".repeat(78)}\u2510`)}`);
18957
18700
  console.log(
18958
- import_chalk6.default.bgRed.white.bold("\u2502") + import_chalk6.default.bgRed.white.bold(
18701
+ import_chalk5.default.bgRed.white.bold("\u2502") + import_chalk5.default.bgRed.white.bold(
18959
18702
  ` \u274C ERROR PROCESSING APPROVAL / \u627F\u8A8D\u51E6\u7406\u30A8\u30E9\u30FC${" ".repeat(35)}`
18960
- ) + import_chalk6.default.bgRed.white.bold("\u2502")
18703
+ ) + import_chalk5.default.bgRed.white.bold("\u2502")
18961
18704
  );
18962
- console.log(import_chalk6.default.bgRed.white.bold(`\u2514${"\u2500".repeat(78)}\u2518`));
18963
- console._error(import_chalk6.default.red("\nError details:"), _error);
18705
+ console.log(import_chalk5.default.bgRed.white.bold(`\u2514${"\u2500".repeat(78)}\u2518`));
18706
+ console._error(import_chalk5.default.red("\nError details:"), _error);
18964
18707
  this.emit("approval-_error", _error);
18965
18708
  }
18966
18709
  }
@@ -18974,7 +18717,7 @@ ${import_chalk6.default.bgRed.white.bold(`\u250C${"\u2500".repeat(78)}\u2510`)}`
18974
18717
  timeoutId = setTimeout(() => {
18975
18718
  console.log(
18976
18719
  `
18977
- ${import_chalk6.default.yellow("\u23F0 Approval request timed out - auto-approving...")}`
18720
+ ${import_chalk5.default.yellow("\u23F0 Approval request timed out - auto-approving...")}`
18978
18721
  );
18979
18722
  this.handleTimeoutResponse(resolve);
18980
18723
  }, timeout);
@@ -19018,7 +18761,7 @@ ${import_chalk6.default.yellow("\u23F0 Approval request timed out - auto-approvi
19018
18761
  response.quickDecision = true;
19019
18762
  resolve(_response);
19020
18763
  } catch (_error) {
19021
- console._error(import_chalk6.default.red("Error processing timeout approval:"), _error);
18764
+ console._error(import_chalk5.default.red("Error processing timeout approval:"), _error);
19022
18765
  }
19023
18766
  }
19024
18767
  /**
@@ -19033,11 +18776,11 @@ ${import_chalk6.default.yellow("\u23F0 Approval request timed out - auto-approvi
19033
18776
  );
19034
18777
  this.approvalEngine.on("trust-level-changed", (event) => {
19035
18778
  console.log(
19036
- import_chalk6.default.blue(
18779
+ import_chalk5.default.blue(
19037
18780
  `\u2728 Trust level changed: ${event.oldLevel} \u2192 ${event.newLevel}`
19038
18781
  )
19039
18782
  );
19040
- console.log(import_chalk6.default.gray(`Reason: ${event.reason}`));
18783
+ console.log(import_chalk5.default.gray(`Reason: ${event.reason}`));
19041
18784
  });
19042
18785
  }
19043
18786
  /**
@@ -19826,22 +19569,22 @@ function formatProgressBar(current, total, width = 20) {
19826
19569
  }
19827
19570
  function formatError(message, code) {
19828
19571
  const prefix = code ? `[${code}] ` : "";
19829
- return import_chalk7.default.red(`\u274C ${prefix}${message}`);
19572
+ return import_chalk6.default.red(`\u274C ${prefix}${message}`);
19830
19573
  }
19831
19574
  function formatSuccess(message) {
19832
- return import_chalk7.default.green(`\u2705 ${message}`);
19575
+ return import_chalk6.default.green(`\u2705 ${message}`);
19833
19576
  }
19834
19577
  function formatWarning(message) {
19835
- return import_chalk7.default.yellow(`\u26A0\uFE0F ${message}`);
19578
+ return import_chalk6.default.yellow(`\u26A0\uFE0F ${message}`);
19836
19579
  }
19837
19580
  function formatInfo(message) {
19838
- return import_chalk7.default.blue(`\u2139\uFE0F ${message}`);
19581
+ return import_chalk6.default.blue(`\u2139\uFE0F ${message}`);
19839
19582
  }
19840
19583
  function formatTable(headers, rows, options = {}) {
19841
19584
  const {
19842
19585
  columnWidths = headers.map(() => 20),
19843
19586
  separator = " | ",
19844
- headerColor = import_chalk7.default.cyan.bold
19587
+ headerColor = import_chalk6.default.cyan.bold
19845
19588
  } = options;
19846
19589
  const headerRow = headers.map((h2, i2) => headerColor(h2.padEnd(columnWidths[i2]))).join(separator);
19847
19590
  const separatorLine = columnWidths.map((w) => "-".repeat(w)).join(separator);
@@ -19853,8 +19596,8 @@ function formatTable(headers, rows, options = {}) {
19853
19596
  function formatKeyValue(data2, options = {}) {
19854
19597
  const {
19855
19598
  keyWidth = 20,
19856
- keyColor = import_chalk7.default.gray,
19857
- valueColor = import_chalk7.default.white,
19599
+ keyColor = import_chalk6.default.gray,
19600
+ valueColor = import_chalk6.default.white,
19858
19601
  separator = ": "
19859
19602
  } = options;
19860
19603
  return Object.entries(data2).map(([key2, value]) => {
@@ -19876,19 +19619,19 @@ function formatTimestamp(date, format = "short") {
19876
19619
  return d.toLocaleTimeString();
19877
19620
  }
19878
19621
  }
19879
- var import_chalk7;
19622
+ var import_chalk6;
19880
19623
  var init_FormatUtils = __esm({
19881
19624
  "src/services/interactive-session/display/FormatUtils.ts"() {
19882
- import_chalk7 = __toESM(require("chalk"), 1);
19625
+ import_chalk6 = __toESM(require("chalk"), 1);
19883
19626
  }
19884
19627
  });
19885
19628
 
19886
19629
  // src/services/interactive-session/display/DisplayManager.ts
19887
- var os2, import_chalk8, DisplayManager;
19630
+ var os, import_chalk7, DisplayManager;
19888
19631
  var init_DisplayManager = __esm({
19889
19632
  "src/services/interactive-session/display/DisplayManager.ts"() {
19890
- os2 = __toESM(require("os"), 1);
19891
- import_chalk8 = __toESM(require("chalk"), 1);
19633
+ os = __toESM(require("os"), 1);
19634
+ import_chalk7 = __toESM(require("chalk"), 1);
19892
19635
  init_SpinnerManager();
19893
19636
  init_FormatUtils();
19894
19637
  DisplayManager = class {
@@ -19900,7 +19643,7 @@ var init_DisplayManager = __esm({
19900
19643
  cursorState = { visible: true };
19901
19644
  constructor(options = {}) {
19902
19645
  this.spinnerManager = SpinnerManager.getInstance();
19903
- this.platform = os2.platform();
19646
+ this.platform = os.platform();
19904
19647
  this.isWindows = this.platform === "win32";
19905
19648
  this.isTTY = process.stdout.isTTY || false;
19906
19649
  this.options = {
@@ -19910,7 +19653,7 @@ var init_DisplayManager = __esm({
19910
19653
  theme: options.theme ?? "auto"
19911
19654
  };
19912
19655
  if (!this.options.enableColors) {
19913
- import_chalk8.default.level = 0;
19656
+ import_chalk7.default.level = 0;
19914
19657
  }
19915
19658
  this.setupCleanupHandlers();
19916
19659
  }
@@ -20027,7 +19770,7 @@ var init_DisplayManager = __esm({
20027
19770
  const {
20028
19771
  padding = 1,
20029
19772
  borderStyle = "single",
20030
- borderColor = import_chalk8.default.gray
19773
+ borderColor = import_chalk7.default.gray
20031
19774
  } = options;
20032
19775
  const lines = content.split("\n");
20033
19776
  const maxLength = Math.max(...lines.map((l) => l.length));
@@ -20085,7 +19828,7 @@ var init_DisplayManager = __esm({
20085
19828
  */
20086
19829
  startSpinner(text) {
20087
19830
  if (!this.options.enableAnimations) {
20088
- this.writeLine(import_chalk8.default.gray(`\u2299 ${text || "Processing..."}`));
19831
+ this.writeLine(import_chalk7.default.gray(`\u2299 ${text || "Processing..."}`));
20089
19832
  return "no-animation";
20090
19833
  }
20091
19834
  return this.spinnerManager.start({ text });
@@ -20178,10 +19921,10 @@ var init_DisplayManager = __esm({
20178
19921
  });
20179
19922
 
20180
19923
  // src/services/interactive-session/display/StatusDisplay.ts
20181
- var import_chalk9, StatusDisplay;
19924
+ var import_chalk8, StatusDisplay;
20182
19925
  var init_StatusDisplay = __esm({
20183
19926
  "src/services/interactive-session/display/StatusDisplay.ts"() {
20184
- import_chalk9 = __toESM(require("chalk"), 1);
19927
+ import_chalk8 = __toESM(require("chalk"), 1);
20185
19928
  init_FormatUtils();
20186
19929
  StatusDisplay = class {
20187
19930
  /**
@@ -20192,11 +19935,11 @@ var init_StatusDisplay = __esm({
20192
19935
  */
20193
19936
  static renderSystemStatus(status, detailed = false) {
20194
19937
  const lines = [];
20195
- lines.push(import_chalk9.default.cyan.bold("\u{1F4CA} System Status"));
19938
+ lines.push(import_chalk8.default.cyan.bold("\u{1F4CA} System Status"));
20196
19939
  lines.push("");
20197
19940
  const statusIcon = status.operational ? "\u2705" : "\u274C";
20198
19941
  const statusText = status.operational ? "Operational" : "Issues Detected";
20199
- const statusColor = status.operational ? import_chalk9.default.green : import_chalk9.default.red;
19942
+ const statusColor = status.operational ? import_chalk8.default.green : import_chalk8.default.red;
20200
19943
  lines.push(`${statusIcon} Status: ${statusColor(statusText)}`);
20201
19944
  lines.push(
20202
19945
  `\u23F1\uFE0F Uptime: ${formatDuration(status.uptime * 1e3)}`
@@ -20217,15 +19960,15 @@ var init_StatusDisplay = __esm({
20217
19960
  if (status.errors > 0 || status.warnings > 0) {
20218
19961
  lines.push("");
20219
19962
  if (status.errors > 0) {
20220
- lines.push(import_chalk9.default.red(`\u274C Errors: ${status.errors}`));
19963
+ lines.push(import_chalk8.default.red(`\u274C Errors: ${status.errors}`));
20221
19964
  }
20222
19965
  if (status.warnings > 0) {
20223
- lines.push(import_chalk9.default.yellow(`\u26A0\uFE0F Warnings: ${status.warnings}`));
19966
+ lines.push(import_chalk8.default.yellow(`\u26A0\uFE0F Warnings: ${status.warnings}`));
20224
19967
  }
20225
19968
  }
20226
19969
  if (detailed) {
20227
19970
  lines.push("");
20228
- lines.push(import_chalk9.default.gray("Detailed Information:"));
19971
+ lines.push(import_chalk8.default.gray("Detailed Information:"));
20229
19972
  const details = formatKeyValue(
20230
19973
  {
20231
19974
  "Process ID": process.pid,
@@ -20235,8 +19978,8 @@ var init_StatusDisplay = __esm({
20235
19978
  "Working Directory": process.cwd()
20236
19979
  },
20237
19980
  {
20238
- keyColor: import_chalk9.default.gray,
20239
- valueColor: import_chalk9.default.white
19981
+ keyColor: import_chalk8.default.gray,
19982
+ valueColor: import_chalk8.default.white
20240
19983
  }
20241
19984
  );
20242
19985
  lines.push(details);
@@ -20250,9 +19993,9 @@ var init_StatusDisplay = __esm({
20250
19993
  */
20251
19994
  static renderMemoryStatus(status) {
20252
19995
  const lines = [];
20253
- lines.push(import_chalk9.default.cyan.bold("\u{1F9E0} Memory Status"));
19996
+ lines.push(import_chalk8.default.cyan.bold("\u{1F9E0} Memory Status"));
20254
19997
  lines.push("");
20255
- lines.push(import_chalk9.default.yellow("System 1 (Fast):"));
19998
+ lines.push(import_chalk8.default.yellow("System 1 (Fast):"));
20256
19999
  const s1NodeBar = formatProgressBar(
20257
20000
  status.system1.nodes,
20258
20001
  status.system1.maxNodes,
@@ -20270,7 +20013,7 @@ var init_StatusDisplay = __esm({
20270
20013
  ` \u2022 Tokens: ${status.system1.tokens}/${status.system1.maxTokens} ${s1TokenBar}`
20271
20014
  );
20272
20015
  lines.push("");
20273
- lines.push(import_chalk9.default.blue("System 2 (Deep):"));
20016
+ lines.push(import_chalk8.default.blue("System 2 (Deep):"));
20274
20017
  const s2TraceBar = formatProgressBar(
20275
20018
  status.system2.traces,
20276
20019
  status.system2.maxTraces,
@@ -20288,7 +20031,7 @@ var init_StatusDisplay = __esm({
20288
20031
  ` \u2022 Tokens: ${status.system2.tokens}/${status.system2.maxTokens} ${s2TokenBar}`
20289
20032
  );
20290
20033
  lines.push("");
20291
- lines.push(import_chalk9.default.green("Total:"));
20034
+ lines.push(import_chalk8.default.green("Total:"));
20292
20035
  const totalBar = formatProgressBar(
20293
20036
  status.total.tokens,
20294
20037
  status.total.maxTokens,
@@ -20297,7 +20040,7 @@ var init_StatusDisplay = __esm({
20297
20040
  lines.push(` \u2022 Tokens: ${status.total.tokens}/${status.total.maxTokens}`);
20298
20041
  lines.push(` \u2022 Usage: ${totalBar}`);
20299
20042
  const usage = status.total.tokens / status.total.maxTokens * 100;
20300
- const usageColor = usage > 80 ? import_chalk9.default.red : usage > 60 ? import_chalk9.default.yellow : import_chalk9.default.green;
20043
+ const usageColor = usage > 80 ? import_chalk8.default.red : usage > 60 ? import_chalk8.default.yellow : import_chalk8.default.green;
20301
20044
  lines.push(
20302
20045
  ` \u2022 ${usageColor(formatPercentage(usage / 100, 1))} utilized`
20303
20046
  );
@@ -20310,9 +20053,9 @@ var init_StatusDisplay = __esm({
20310
20053
  */
20311
20054
  static renderModelStatus(status) {
20312
20055
  const lines = [];
20313
- lines.push(import_chalk9.default.cyan.bold("\u{1F916} Model Status"));
20056
+ lines.push(import_chalk8.default.cyan.bold("\u{1F916} Model Status"));
20314
20057
  lines.push("");
20315
- lines.push(import_chalk9.default.green(`Current: ${import_chalk9.default.bold(status.current)}`));
20058
+ lines.push(import_chalk8.default.green(`Current: ${import_chalk8.default.bold(status.current)}`));
20316
20059
  lines.push("");
20317
20060
  lines.push("Available Models:");
20318
20061
  const headers = ["Model", "Provider", "Status", "Capabilities"];
@@ -20324,7 +20067,7 @@ var init_StatusDisplay = __esm({
20324
20067
  const table = formatTable(headers, rows, {
20325
20068
  columnWidths: [20, 15, 8, 30],
20326
20069
  separator: " \u2502 ",
20327
- headerColor: import_chalk9.default.gray
20070
+ headerColor: import_chalk8.default.gray
20328
20071
  });
20329
20072
  lines.push(table);
20330
20073
  return lines.join("\n");
@@ -20336,19 +20079,19 @@ var init_StatusDisplay = __esm({
20336
20079
  */
20337
20080
  static renderHealthChecks(checks) {
20338
20081
  const lines = [];
20339
- lines.push(import_chalk9.default.cyan.bold("\u{1F3E5} Health Checks"));
20082
+ lines.push(import_chalk8.default.cyan.bold("\u{1F3E5} Health Checks"));
20340
20083
  lines.push("");
20341
20084
  for (const check of checks) {
20342
20085
  const icon = check.status === "ok" ? "\u2705" : check.status === "warning" ? "\u26A0\uFE0F" : "\u274C";
20343
- const statusColor = check.status === "ok" ? import_chalk9.default.green : check.status === "warning" ? import_chalk9.default.yellow : import_chalk9.default.red;
20086
+ const statusColor = check.status === "ok" ? import_chalk8.default.green : check.status === "warning" ? import_chalk8.default.yellow : import_chalk8.default.red;
20344
20087
  let line = `${icon} ${check.name.padEnd(25)} ${statusColor(check.status.toUpperCase())}`;
20345
20088
  if (check.latency !== void 0) {
20346
- const latencyColor = check.latency < 100 ? import_chalk9.default.green : check.latency < 500 ? import_chalk9.default.yellow : import_chalk9.default.red;
20089
+ const latencyColor = check.latency < 100 ? import_chalk8.default.green : check.latency < 500 ? import_chalk8.default.yellow : import_chalk8.default.red;
20347
20090
  line += ` ${latencyColor(`(${check.latency}ms)`)}`;
20348
20091
  }
20349
20092
  lines.push(line);
20350
20093
  if (check.message) {
20351
- lines.push(import_chalk9.default.gray(` ${check.message}`));
20094
+ lines.push(import_chalk8.default.gray(` ${check.message}`));
20352
20095
  }
20353
20096
  }
20354
20097
  lines.push("");
@@ -20357,16 +20100,16 @@ var init_StatusDisplay = __esm({
20357
20100
  const errorCount = checks.filter((c) => c.status === "error").length;
20358
20101
  if (errorCount > 0) {
20359
20102
  lines.push(
20360
- import_chalk9.default.red(
20103
+ import_chalk8.default.red(
20361
20104
  `\u26A0\uFE0F System has ${errorCount} error(s) - intervention required`
20362
20105
  )
20363
20106
  );
20364
20107
  } else if (warningCount > 0) {
20365
20108
  lines.push(
20366
- import_chalk9.default.yellow(`\u26A0\uFE0F System operational with ${warningCount} warning(s)`)
20109
+ import_chalk8.default.yellow(`\u26A0\uFE0F System operational with ${warningCount} warning(s)`)
20367
20110
  );
20368
20111
  } else {
20369
- lines.push(import_chalk9.default.green("\u2705 All systems operational"));
20112
+ lines.push(import_chalk8.default.green("\u2705 All systems operational"));
20370
20113
  }
20371
20114
  return lines.join("\n");
20372
20115
  }
@@ -20377,7 +20120,7 @@ var init_StatusDisplay = __esm({
20377
20120
  */
20378
20121
  static renderSessionStats(stats) {
20379
20122
  const lines = [];
20380
- lines.push(import_chalk9.default.cyan.bold("\u{1F4C8} Session Statistics"));
20123
+ lines.push(import_chalk8.default.cyan.bold("\u{1F4C8} Session Statistics"));
20381
20124
  lines.push("");
20382
20125
  const data2 = formatKeyValue(
20383
20126
  {
@@ -20390,14 +20133,14 @@ var init_StatusDisplay = __esm({
20390
20133
  },
20391
20134
  {
20392
20135
  keyWidth: 20,
20393
- keyColor: import_chalk9.default.gray,
20394
- valueColor: import_chalk9.default.white
20136
+ keyColor: import_chalk8.default.gray,
20137
+ valueColor: import_chalk8.default.white
20395
20138
  }
20396
20139
  );
20397
20140
  lines.push(data2);
20398
20141
  lines.push("");
20399
20142
  const performance3 = stats.avgResponseTime < 100 ? "Excellent" : stats.avgResponseTime < 500 ? "Good" : stats.avgResponseTime < 1e3 ? "Fair" : "Poor";
20400
- const perfColor = performance3 === "Excellent" ? import_chalk9.default.green : performance3 === "Good" ? import_chalk9.default.blue : performance3 === "Fair" ? import_chalk9.default.yellow : import_chalk9.default.red;
20143
+ const perfColor = performance3 === "Excellent" ? import_chalk8.default.green : performance3 === "Good" ? import_chalk8.default.blue : performance3 === "Fair" ? import_chalk8.default.yellow : import_chalk8.default.red;
20401
20144
  lines.push(`Performance: ${perfColor(performance3)}`);
20402
20145
  return lines.join("\n");
20403
20146
  }
@@ -20409,22 +20152,22 @@ var init_StatusDisplay = __esm({
20409
20152
  static renderStatusBar(data2) {
20410
20153
  const segments = [];
20411
20154
  if (data2.mode) {
20412
- segments.push(import_chalk9.default.cyan(`[${data2.mode}]`));
20155
+ segments.push(import_chalk8.default.cyan(`[${data2.mode}]`));
20413
20156
  }
20414
20157
  if (data2.model) {
20415
- segments.push(import_chalk9.default.blue(`\u{1F916} ${data2.model}`));
20158
+ segments.push(import_chalk8.default.blue(`\u{1F916} ${data2.model}`));
20416
20159
  }
20417
20160
  if (data2.memory !== void 0) {
20418
- const memoryColor = data2.memory > 80 ? import_chalk9.default.red : data2.memory > 60 ? import_chalk9.default.yellow : import_chalk9.default.green;
20161
+ const memoryColor = data2.memory > 80 ? import_chalk8.default.red : data2.memory > 60 ? import_chalk8.default.yellow : import_chalk8.default.green;
20419
20162
  segments.push(memoryColor(`\u{1F4BE} ${data2.memory}%`));
20420
20163
  }
20421
20164
  if (data2.latency !== void 0) {
20422
- const latencyColor = data2.latency < 100 ? import_chalk9.default.green : data2.latency < 500 ? import_chalk9.default.yellow : import_chalk9.default.red;
20165
+ const latencyColor = data2.latency < 100 ? import_chalk8.default.green : data2.latency < 500 ? import_chalk8.default.yellow : import_chalk8.default.red;
20423
20166
  segments.push(latencyColor(`\u26A1 ${data2.latency}ms`));
20424
20167
  }
20425
20168
  if (data2.time) {
20426
20169
  segments.push(
20427
- import_chalk9.default.gray(formatTimestamp(data2.time, "short"))
20170
+ import_chalk8.default.gray(formatTimestamp(data2.time, "short"))
20428
20171
  );
20429
20172
  }
20430
20173
  return segments.join(" \u2502 ");
@@ -20434,10 +20177,10 @@ var init_StatusDisplay = __esm({
20434
20177
  });
20435
20178
 
20436
20179
  // src/services/interactive-session/handlers/CoreHandlers.ts
20437
- var import_chalk10, import_perf_hooks, HelpHandler, ClearHandler, ExitHandler, VersionHandler, HistoryHandler, CoreHandlers;
20180
+ var import_chalk9, import_perf_hooks, HelpHandler, ClearHandler, ExitHandler, VersionHandler, HistoryHandler, CoreHandlers;
20438
20181
  var init_CoreHandlers = __esm({
20439
20182
  "src/services/interactive-session/handlers/CoreHandlers.ts"() {
20440
- import_chalk10 = __toESM(require("chalk"), 1);
20183
+ import_chalk9 = __toESM(require("chalk"), 1);
20441
20184
  import_perf_hooks = require("perf_hooks");
20442
20185
  HelpHandler = class {
20443
20186
  registry;
@@ -20447,7 +20190,7 @@ var init_CoreHandlers = __esm({
20447
20190
  async execute(args) {
20448
20191
  const startTime = import_perf_hooks.performance.now();
20449
20192
  const commands = this.registry.getCommands();
20450
- let message = import_chalk10.default.cyan(`\u{1F916} MARIA v3.5.0 - Available Commands
20193
+ let message = import_chalk9.default.cyan(`\u{1F916} MARIA v3.5.0 - Available Commands
20451
20194
 
20452
20195
  `);
20453
20196
  const categories = {
@@ -20458,17 +20201,17 @@ var init_CoreHandlers = __esm({
20458
20201
  system: ["/status", "/config", "/logs", "/approve"]
20459
20202
  };
20460
20203
  for (const [category, cmds] of Object.entries(categories)) {
20461
- message += import_chalk10.default.yellow(`
20204
+ message += import_chalk9.default.yellow(`
20462
20205
  ${category.toUpperCase()}:
20463
20206
  `);
20464
20207
  for (const cmd of cmds) {
20465
20208
  if (commands.includes(cmd)) {
20466
- message += ` ${import_chalk10.default.green(cmd.padEnd(15))} - ${this.getCommandDescription(cmd)}
20209
+ message += ` ${import_chalk9.default.green(cmd.padEnd(15))} - ${this.getCommandDescription(cmd)}
20467
20210
  `;
20468
20211
  }
20469
20212
  }
20470
20213
  }
20471
- message += import_chalk10.default.gray(
20214
+ message += import_chalk9.default.gray(
20472
20215
  `
20473
20216
  Type '/help <command>' for detailed information about a specific command.`
20474
20217
  );
@@ -20516,7 +20259,7 @@ Type '/help <command>' for detailed information about a specific command.`
20516
20259
  const processingTime = import_perf_hooks.performance.now() - startTime;
20517
20260
  return {
20518
20261
  success: true,
20519
- message: import_chalk10.default.gray("Terminal cleared."),
20262
+ message: import_chalk9.default.gray("Terminal cleared."),
20520
20263
  metadata: {
20521
20264
  processingTime,
20522
20265
  timestamp: /* @__PURE__ */ new Date()
@@ -20527,7 +20270,7 @@ Type '/help <command>' for detailed information about a specific command.`
20527
20270
  ExitHandler = class {
20528
20271
  async execute(args) {
20529
20272
  const startTime = import_perf_hooks.performance.now();
20530
- const message = import_chalk10.default.yellow("\u{1F44B} Goodbye! Thank you for using MARIA.\n");
20273
+ const message = import_chalk9.default.yellow("\u{1F44B} Goodbye! Thank you for using MARIA.\n");
20531
20274
  process.emit("SIGTERM");
20532
20275
  const processingTime = import_perf_hooks.performance.now() - startTime;
20533
20276
  return {
@@ -20551,23 +20294,23 @@ Type '/help <command>' for detailed information about a specific command.`
20551
20294
  platform: process.platform,
20552
20295
  arch: process.arch
20553
20296
  };
20554
- let message = import_chalk10.default.cyan("\u{1F680} MARIA System Information\n\n");
20555
- message += import_chalk10.default.white(` Version: ${import_chalk10.default.green(packageInfo.version)}
20297
+ let message = import_chalk9.default.cyan("\u{1F680} MARIA System Information\n\n");
20298
+ message += import_chalk9.default.white(` Version: ${import_chalk9.default.green(packageInfo.version)}
20556
20299
  `);
20557
- message += import_chalk10.default.white(` Package: ${import_chalk10.default.green(packageInfo.name)}
20300
+ message += import_chalk9.default.white(` Package: ${import_chalk9.default.green(packageInfo.name)}
20558
20301
  `);
20559
- message += import_chalk10.default.white(` Node: ${import_chalk10.default.green(packageInfo.node)}
20302
+ message += import_chalk9.default.white(` Node: ${import_chalk9.default.green(packageInfo.node)}
20560
20303
  `);
20561
- message += import_chalk10.default.white(
20562
- ` Platform: ${import_chalk10.default.green(packageInfo.platform)}
20304
+ message += import_chalk9.default.white(
20305
+ ` Platform: ${import_chalk9.default.green(packageInfo.platform)}
20563
20306
  `
20564
20307
  );
20565
- message += import_chalk10.default.white(` Arch: ${import_chalk10.default.green(packageInfo.arch)}
20308
+ message += import_chalk9.default.white(` Arch: ${import_chalk9.default.green(packageInfo.arch)}
20566
20309
  `);
20567
- message += import_chalk10.default.gray(`
20310
+ message += import_chalk9.default.gray(`
20568
20311
  Build: Production
20569
20312
  `);
20570
- message += import_chalk10.default.gray(` License: MIT
20313
+ message += import_chalk9.default.gray(` License: MIT
20571
20314
  `);
20572
20315
  const processingTime = import_perf_hooks.performance.now() - startTime;
20573
20316
  return {
@@ -20592,15 +20335,15 @@ Type '/help <command>' for detailed information about a specific command.`
20592
20335
  this.history.push("/history");
20593
20336
  }
20594
20337
  const recent = this.history.slice(-limit);
20595
- let message = import_chalk10.default.cyan(`\u{1F4DC} Command History (last ${recent.length}):
20338
+ let message = import_chalk9.default.cyan(`\u{1F4DC} Command History (last ${recent.length}):
20596
20339
 
20597
20340
  `);
20598
20341
  recent.forEach((cmd, index) => {
20599
20342
  const num = this.history.length - recent.length + index + 1;
20600
- message += import_chalk10.default.gray(` ${num.toString().padStart(3)}: `) + import_chalk10.default.white(cmd) + "\n";
20343
+ message += import_chalk9.default.gray(` ${num.toString().padStart(3)}: `) + import_chalk9.default.white(cmd) + "\n";
20601
20344
  });
20602
20345
  if (recent.length === 0) {
20603
- message = import_chalk10.default.gray("No command history available.");
20346
+ message = import_chalk9.default.gray("No command history available.");
20604
20347
  }
20605
20348
  const processingTime = import_perf_hooks.performance.now() - startTime;
20606
20349
  return {
@@ -20631,10 +20374,10 @@ Type '/help <command>' for detailed information about a specific command.`
20631
20374
  });
20632
20375
 
20633
20376
  // src/services/interactive-session/handlers/DevHandlers.ts
20634
- var import_chalk11, CodeHandler, TestHandler, ReviewHandler, BugHandler, DevHandlers;
20377
+ var import_chalk10, CodeHandler, TestHandler, ReviewHandler, BugHandler, DevHandlers;
20635
20378
  var init_DevHandlers = __esm({
20636
20379
  "src/services/interactive-session/handlers/DevHandlers.ts"() {
20637
- import_chalk11 = __toESM(require("chalk"), 1);
20380
+ import_chalk10 = __toESM(require("chalk"), 1);
20638
20381
  CodeHandler = class {
20639
20382
  constructor(codeService) {
20640
20383
  this.codeService = codeService;
@@ -20649,13 +20392,13 @@ var init_DevHandlers = __esm({
20649
20392
  if (!prompt) {
20650
20393
  return {
20651
20394
  ok: false,
20652
- message: import_chalk11.default.red("\u274C Please provide a code generation request.\n") + import_chalk11.default.gray("Usage: /code <description>\n") + import_chalk11.default.gray("Example: /code create a React button component")
20395
+ message: import_chalk10.default.red("\u274C Please provide a code generation request.\n") + import_chalk10.default.gray("Usage: /code <description>\n") + import_chalk10.default.gray("Example: /code create a React button component")
20653
20396
  };
20654
20397
  }
20655
20398
  if (signal?.aborted) {
20656
20399
  return {
20657
20400
  ok: false,
20658
- message: import_chalk11.default.yellow("Code generation canceled")
20401
+ message: import_chalk10.default.yellow("Code generation canceled")
20659
20402
  };
20660
20403
  }
20661
20404
  try {
@@ -20666,9 +20409,9 @@ var init_DevHandlers = __esm({
20666
20409
  if (dryRun) {
20667
20410
  return {
20668
20411
  ok: true,
20669
- message: import_chalk11.default.cyan("\u{1F50D} Dry run mode - would generate:\n") + import_chalk11.default.gray(`Language: ${language}
20670
- `) + import_chalk11.default.gray(`Framework: ${framework || "none"}
20671
- `) + import_chalk11.default.gray(`Prompt: ${cleanPrompt}`)
20412
+ message: import_chalk10.default.cyan("\u{1F50D} Dry run mode - would generate:\n") + import_chalk10.default.gray(`Language: ${language}
20413
+ `) + import_chalk10.default.gray(`Framework: ${framework || "none"}
20414
+ `) + import_chalk10.default.gray(`Prompt: ${cleanPrompt}`)
20672
20415
  };
20673
20416
  }
20674
20417
  const generatedCode = `// Generated code for: ${cleanPrompt}
@@ -20680,7 +20423,7 @@ function generated() {
20680
20423
  export { generated };`;
20681
20424
  return {
20682
20425
  ok: true,
20683
- message: import_chalk11.default.green("\u2705 Code generated successfully:\n\n") + import_chalk11.default.gray("```" + language + "\n") + generatedCode + import_chalk11.default.gray("\n```"),
20426
+ message: import_chalk10.default.green("\u2705 Code generated successfully:\n\n") + import_chalk10.default.gray("```" + language + "\n") + generatedCode + import_chalk10.default.gray("\n```"),
20684
20427
  data: {
20685
20428
  code: generatedCode,
20686
20429
  language,
@@ -20693,7 +20436,7 @@ export { generated };`;
20693
20436
  } catch (error2) {
20694
20437
  return {
20695
20438
  ok: false,
20696
- message: import_chalk11.default.red(`Code generation failed: ${error2}`)
20439
+ message: import_chalk10.default.red(`Code generation failed: ${error2}`)
20697
20440
  };
20698
20441
  }
20699
20442
  }
@@ -20707,7 +20450,7 @@ export { generated };`;
20707
20450
  if (signal?.aborted) {
20708
20451
  return {
20709
20452
  ok: false,
20710
- message: import_chalk11.default.yellow("Test operation canceled")
20453
+ message: import_chalk10.default.yellow("Test operation canceled")
20711
20454
  };
20712
20455
  }
20713
20456
  const subcommand = args[0] || "run";
@@ -20723,8 +20466,8 @@ export { generated };`;
20723
20466
  default:
20724
20467
  return {
20725
20468
  ok: false,
20726
- message: import_chalk11.default.red(`Unknown test subcommand: ${subcommand}
20727
- `) + import_chalk11.default.gray("Available: generate, run, coverage")
20469
+ message: import_chalk10.default.red(`Unknown test subcommand: ${subcommand}
20470
+ `) + import_chalk10.default.gray("Available: generate, run, coverage")
20728
20471
  };
20729
20472
  }
20730
20473
  }
@@ -20732,7 +20475,7 @@ export { generated };`;
20732
20475
  if (!target) {
20733
20476
  return {
20734
20477
  ok: false,
20735
- message: import_chalk11.default.red(
20478
+ message: import_chalk10.default.red(
20736
20479
  "Please specify a file or function to generate tests for"
20737
20480
  )
20738
20481
  };
@@ -20749,9 +20492,9 @@ describe("${target}", () => {
20749
20492
  });`;
20750
20493
  return {
20751
20494
  ok: true,
20752
- message: import_chalk11.default.green(`\u2705 Tests generated for ${target}:
20495
+ message: import_chalk10.default.green(`\u2705 Tests generated for ${target}:
20753
20496
 
20754
- `) + import_chalk11.default.gray("```typescript\n") + testCode + import_chalk11.default.gray("\n```"),
20497
+ `) + import_chalk10.default.gray("```typescript\n") + testCode + import_chalk10.default.gray("\n```"),
20755
20498
  data: { testCode, framework, target }
20756
20499
  };
20757
20500
  }
@@ -20764,23 +20507,23 @@ describe("${target}", () => {
20764
20507
  if (coverage) command += " --coverage";
20765
20508
  return {
20766
20509
  ok: true,
20767
- message: import_chalk11.default.cyan(`\u{1F9EA} Running tests...
20768
- `) + import_chalk11.default.gray(`Command: ${command}
20510
+ message: import_chalk10.default.cyan(`\u{1F9EA} Running tests...
20511
+ `) + import_chalk10.default.gray(`Command: ${command}
20769
20512
 
20770
- `) + import_chalk11.default.green("\u2705 All tests passed!"),
20513
+ `) + import_chalk10.default.green("\u2705 All tests passed!"),
20771
20514
  data: { command, passed: true }
20772
20515
  };
20773
20516
  }
20774
20517
  async showCoverage(options) {
20775
20518
  return {
20776
20519
  ok: true,
20777
- message: import_chalk11.default.cyan("\u{1F4CA} Test Coverage Report:\n\n") + import_chalk11.default.gray("File".padEnd(40) + "% Stmts".padEnd(10) + "% Lines\n") + import_chalk11.default.gray("-".repeat(60) + "\n") + import_chalk11.default.green(
20520
+ message: import_chalk10.default.cyan("\u{1F4CA} Test Coverage Report:\n\n") + import_chalk10.default.gray("File".padEnd(40) + "% Stmts".padEnd(10) + "% Lines\n") + import_chalk10.default.gray("-".repeat(60) + "\n") + import_chalk10.default.green(
20778
20521
  "SessionStateMachine.ts".padEnd(40) + "100.00".padEnd(10) + "100.00\n"
20779
- ) + import_chalk11.default.green(
20522
+ ) + import_chalk10.default.green(
20780
20523
  "InputController.ts".padEnd(40) + "95.50".padEnd(10) + "94.20\n"
20781
- ) + import_chalk11.default.yellow(
20524
+ ) + import_chalk10.default.yellow(
20782
20525
  "SessionManager.ts".padEnd(40) + "78.30".padEnd(10) + "76.50\n"
20783
- ) + import_chalk11.default.gray("-".repeat(60) + "\n") + import_chalk11.default.cyan("Total".padEnd(40) + "85.60".padEnd(10) + "84.30")
20526
+ ) + import_chalk10.default.gray("-".repeat(60) + "\n") + import_chalk10.default.cyan("Total".padEnd(40) + "85.60".padEnd(10) + "84.30")
20784
20527
  };
20785
20528
  }
20786
20529
  };
@@ -20794,33 +20537,33 @@ describe("${target}", () => {
20794
20537
  if (!file) {
20795
20538
  return {
20796
20539
  ok: false,
20797
- message: import_chalk11.default.red("Please specify a file to review\n") + import_chalk11.default.gray("Usage: /review <file> [--security] [--performance]")
20540
+ message: import_chalk10.default.red("Please specify a file to review\n") + import_chalk10.default.gray("Usage: /review <file> [--security] [--performance]")
20798
20541
  };
20799
20542
  }
20800
20543
  const checkSecurity = args.includes("--security");
20801
20544
  const checkPerformance = args.includes("--performance");
20802
- let message = import_chalk11.default.cyan(`\u{1F50D} Code Review for ${file}
20545
+ let message = import_chalk10.default.cyan(`\u{1F50D} Code Review for ${file}
20803
20546
 
20804
20547
  `);
20805
- message += import_chalk11.default.yellow("\u26A0\uFE0F Issues Found (3):\n");
20806
- message += import_chalk11.default.gray(" 1. Line 42: ") + import_chalk11.default.yellow("Missing error handling in async function\n");
20807
- message += import_chalk11.default.gray(" 2. Line 89: ") + import_chalk11.default.yellow("Potential memory leak - event listener not removed\n");
20808
- message += import_chalk11.default.gray(" 3. Line 156: ") + import_chalk11.default.yellow(
20548
+ message += import_chalk10.default.yellow("\u26A0\uFE0F Issues Found (3):\n");
20549
+ message += import_chalk10.default.gray(" 1. Line 42: ") + import_chalk10.default.yellow("Missing error handling in async function\n");
20550
+ message += import_chalk10.default.gray(" 2. Line 89: ") + import_chalk10.default.yellow("Potential memory leak - event listener not removed\n");
20551
+ message += import_chalk10.default.gray(" 3. Line 156: ") + import_chalk10.default.yellow(
20809
20552
  "Complex function - consider refactoring (cyclomatic complexity: 12)\n\n"
20810
20553
  );
20811
20554
  if (checkSecurity) {
20812
- message += import_chalk11.default.red("\u{1F512} Security Issues (1):\n");
20813
- message += import_chalk11.default.gray(" 1. Line 67: ") + import_chalk11.default.red("Potential XSS vulnerability - user input not sanitized\n\n");
20555
+ message += import_chalk10.default.red("\u{1F512} Security Issues (1):\n");
20556
+ message += import_chalk10.default.gray(" 1. Line 67: ") + import_chalk10.default.red("Potential XSS vulnerability - user input not sanitized\n\n");
20814
20557
  }
20815
20558
  if (checkPerformance) {
20816
- message += import_chalk11.default.blue("\u26A1 Performance Suggestions (2):\n");
20817
- message += import_chalk11.default.gray(" 1. Line 23: ") + import_chalk11.default.blue("Consider memoization for expensive calculation\n");
20818
- message += import_chalk11.default.gray(" 2. Line 145: ") + import_chalk11.default.blue("Use virtualization for large list rendering\n\n");
20819
- }
20820
- message += import_chalk11.default.green("\u2705 Positive Findings:\n");
20821
- message += import_chalk11.default.gray(" \u2022 Good TypeScript type coverage (92%)\n");
20822
- message += import_chalk11.default.gray(" \u2022 Consistent code style\n");
20823
- message += import_chalk11.default.gray(" \u2022 Well-documented functions\n");
20559
+ message += import_chalk10.default.blue("\u26A1 Performance Suggestions (2):\n");
20560
+ message += import_chalk10.default.gray(" 1. Line 23: ") + import_chalk10.default.blue("Consider memoization for expensive calculation\n");
20561
+ message += import_chalk10.default.gray(" 2. Line 145: ") + import_chalk10.default.blue("Use virtualization for large list rendering\n\n");
20562
+ }
20563
+ message += import_chalk10.default.green("\u2705 Positive Findings:\n");
20564
+ message += import_chalk10.default.gray(" \u2022 Good TypeScript type coverage (92%)\n");
20565
+ message += import_chalk10.default.gray(" \u2022 Consistent code style\n");
20566
+ message += import_chalk10.default.gray(" \u2022 Well-documented functions\n");
20824
20567
  return {
20825
20568
  ok: true,
20826
20569
  message,
@@ -20850,8 +20593,8 @@ describe("${target}", () => {
20850
20593
  default:
20851
20594
  return {
20852
20595
  ok: false,
20853
- message: import_chalk11.default.red(`Unknown bug subcommand: ${subcommand}
20854
- `) + import_chalk11.default.gray("Available: report, list, analyze")
20596
+ message: import_chalk10.default.red(`Unknown bug subcommand: ${subcommand}
20597
+ `) + import_chalk10.default.gray("Available: report, list, analyze")
20855
20598
  };
20856
20599
  }
20857
20600
  }
@@ -20860,18 +20603,18 @@ describe("${target}", () => {
20860
20603
  if (!description) {
20861
20604
  return {
20862
20605
  ok: false,
20863
- message: import_chalk11.default.red("Please provide a bug description")
20606
+ message: import_chalk10.default.red("Please provide a bug description")
20864
20607
  };
20865
20608
  }
20866
20609
  const bugId = `BUG-${Date.now().toString(36).toUpperCase()}`;
20867
20610
  return {
20868
20611
  ok: true,
20869
- message: import_chalk11.default.green(`\u{1F41B} Bug reported successfully!
20612
+ message: import_chalk10.default.green(`\u{1F41B} Bug reported successfully!
20870
20613
 
20871
- `) + import_chalk11.default.cyan(`Bug ID: ${bugId}
20872
- `) + import_chalk11.default.gray(`Description: ${description}
20873
- `) + import_chalk11.default.gray(`Status: Open
20874
- `) + import_chalk11.default.gray(`Priority: To be determined
20614
+ `) + import_chalk10.default.cyan(`Bug ID: ${bugId}
20615
+ `) + import_chalk10.default.gray(`Description: ${description}
20616
+ `) + import_chalk10.default.gray(`Status: Open
20617
+ `) + import_chalk10.default.gray(`Priority: To be determined
20875
20618
  `),
20876
20619
  data: { bugId, description, status: "open" }
20877
20620
  };
@@ -20879,23 +20622,23 @@ describe("${target}", () => {
20879
20622
  async listBugs() {
20880
20623
  return {
20881
20624
  ok: true,
20882
- message: import_chalk11.default.cyan("\u{1F41B} Active Bugs:\n\n") + import_chalk11.default.yellow("1. BUG-A1B2C3: ") + import_chalk11.default.gray("Session timeout not handled properly\n") + import_chalk11.default.yellow("2. BUG-D4E5F6: ") + import_chalk11.default.gray("Memory leak in streaming responses\n") + import_chalk11.default.yellow("3. BUG-G7H8I9: ") + import_chalk11.default.gray("Spinner not stopping on error\n\n") + import_chalk11.default.gray("Total: 3 open bugs")
20625
+ message: import_chalk10.default.cyan("\u{1F41B} Active Bugs:\n\n") + import_chalk10.default.yellow("1. BUG-A1B2C3: ") + import_chalk10.default.gray("Session timeout not handled properly\n") + import_chalk10.default.yellow("2. BUG-D4E5F6: ") + import_chalk10.default.gray("Memory leak in streaming responses\n") + import_chalk10.default.yellow("3. BUG-G7H8I9: ") + import_chalk10.default.gray("Spinner not stopping on error\n\n") + import_chalk10.default.gray("Total: 3 open bugs")
20883
20626
  };
20884
20627
  }
20885
20628
  async analyzeBug(bugId) {
20886
20629
  if (!bugId) {
20887
20630
  return {
20888
20631
  ok: false,
20889
- message: import_chalk11.default.red("Please provide a bug ID to analyze")
20632
+ message: import_chalk10.default.red("Please provide a bug ID to analyze")
20890
20633
  };
20891
20634
  }
20892
20635
  return {
20893
20636
  ok: true,
20894
- message: import_chalk11.default.cyan(`\u{1F50D} Bug Analysis for ${bugId}:
20637
+ message: import_chalk10.default.cyan(`\u{1F50D} Bug Analysis for ${bugId}:
20895
20638
 
20896
- `) + import_chalk11.default.yellow("Summary: ") + import_chalk11.default.gray("Session timeout not handled properly\n") + import_chalk11.default.yellow("Severity: ") + import_chalk11.default.orange("Medium\n") + import_chalk11.default.yellow("Component: ") + import_chalk11.default.gray("SessionManager\n") + import_chalk11.default.yellow("Reported: ") + import_chalk11.default.gray("2 days ago\n\n") + import_chalk11.default.cyan("Possible Causes:\n") + import_chalk11.default.gray(
20639
+ `) + import_chalk10.default.yellow("Summary: ") + import_chalk10.default.gray("Session timeout not handled properly\n") + import_chalk10.default.yellow("Severity: ") + import_chalk10.default.orange("Medium\n") + import_chalk10.default.yellow("Component: ") + import_chalk10.default.gray("SessionManager\n") + import_chalk10.default.yellow("Reported: ") + import_chalk10.default.gray("2 days ago\n\n") + import_chalk10.default.cyan("Possible Causes:\n") + import_chalk10.default.gray(
20897
20640
  " 1. AbortSignal not propagated to all async operations\n"
20898
- ) + import_chalk11.default.gray(" 2. Deadline timer not cleared on completion\n") + import_chalk11.default.gray(" 3. Race condition in state transitions\n\n") + import_chalk11.default.green("Suggested Fix:\n") + import_chalk11.default.gray(" Ensure all async operations respect the AbortSignal\n") + import_chalk11.default.gray(" Add finally block to clear timers\n")
20641
+ ) + import_chalk10.default.gray(" 2. Deadline timer not cleared on completion\n") + import_chalk10.default.gray(" 3. Race condition in state transitions\n\n") + import_chalk10.default.green("Suggested Fix:\n") + import_chalk10.default.gray(" Ensure all async operations respect the AbortSignal\n") + import_chalk10.default.gray(" Add finally block to clear timers\n")
20899
20642
  };
20900
20643
  }
20901
20644
  };
@@ -20909,11 +20652,11 @@ describe("${target}", () => {
20909
20652
  });
20910
20653
 
20911
20654
  // src/services/interactive-session/handlers/SystemHandlers.ts
20912
- var import_chalk12, os3, StatusHandler, ModelHandler, MemoryHandler, HealthHandler, DoctorHandler, SystemHandlers;
20655
+ var import_chalk11, os2, StatusHandler, ModelHandler, MemoryHandler, HealthHandler, DoctorHandler, SystemHandlers;
20913
20656
  var init_SystemHandlers = __esm({
20914
20657
  "src/services/interactive-session/handlers/SystemHandlers.ts"() {
20915
- import_chalk12 = __toESM(require("chalk"), 1);
20916
- os3 = __toESM(require("os"), 1);
20658
+ import_chalk11 = __toESM(require("chalk"), 1);
20659
+ os2 = __toESM(require("os"), 1);
20917
20660
  StatusHandler = class {
20918
20661
  name = "/status";
20919
20662
  description = "Show current system and session status";
@@ -20923,7 +20666,7 @@ var init_SystemHandlers = __esm({
20923
20666
  if (signal?.aborted) {
20924
20667
  return {
20925
20668
  ok: false,
20926
- message: import_chalk12.default.yellow("Status check canceled")
20669
+ message: import_chalk11.default.yellow("Status check canceled")
20927
20670
  };
20928
20671
  }
20929
20672
  const verbose = args.includes("--verbose") || args.includes("-v");
@@ -20931,47 +20674,47 @@ var init_SystemHandlers = __esm({
20931
20674
  system: "operational",
20932
20675
  uptime: process.uptime(),
20933
20676
  memory: process.memoryUsage(),
20934
- cpu: os3.cpus()[0],
20677
+ cpu: os2.cpus()[0],
20935
20678
  platform: process.platform
20936
20679
  };
20937
- let message = import_chalk12.default.cyan.bold("\u{1F4CA} System Status\n\n");
20938
- message += import_chalk12.default.green("\u2705 System: Operational\n");
20939
- message += import_chalk12.default.gray(
20680
+ let message = import_chalk11.default.cyan.bold("\u{1F4CA} System Status\n\n");
20681
+ message += import_chalk11.default.green("\u2705 System: Operational\n");
20682
+ message += import_chalk11.default.gray(
20940
20683
  `\u23F1\uFE0F Uptime: ${Math.floor(status.uptime / 60)}m ${Math.floor(status.uptime % 60)}s
20941
20684
  `
20942
20685
  );
20943
- message += import_chalk12.default.gray(
20686
+ message += import_chalk11.default.gray(
20944
20687
  `\u{1F4BE} Memory: ${Math.round(status.memory.heapUsed / 1024 / 1024)}MB / ${Math.round(status.memory.heapTotal / 1024 / 1024)}MB
20945
20688
  `
20946
20689
  );
20947
20690
  if (verbose) {
20948
- message += import_chalk12.default.gray("\nDetailed Information:\n");
20949
- message += import_chalk12.default.gray(` \u2022 CPU: ${status.cpu.model}
20691
+ message += import_chalk11.default.gray("\nDetailed Information:\n");
20692
+ message += import_chalk11.default.gray(` \u2022 CPU: ${status.cpu.model}
20950
20693
  `);
20951
- message += import_chalk12.default.gray(
20952
- ` \u2022 Platform: ${status.platform} (${os3.arch()})
20694
+ message += import_chalk11.default.gray(
20695
+ ` \u2022 Platform: ${status.platform} (${os2.arch()})
20953
20696
  `
20954
20697
  );
20955
- message += import_chalk12.default.gray(` \u2022 Node.js: ${process.version}
20698
+ message += import_chalk11.default.gray(` \u2022 Node.js: ${process.version}
20956
20699
  `);
20957
- message += import_chalk12.default.gray(` \u2022 Process ID: ${process.pid}
20700
+ message += import_chalk11.default.gray(` \u2022 Process ID: ${process.pid}
20958
20701
  `);
20959
- message += import_chalk12.default.gray(` \u2022 Working Directory: ${process.cwd()}
20702
+ message += import_chalk11.default.gray(` \u2022 Working Directory: ${process.cwd()}
20960
20703
  `);
20961
- message += import_chalk12.default.gray("\nMemory Details:\n");
20962
- message += import_chalk12.default.gray(
20704
+ message += import_chalk11.default.gray("\nMemory Details:\n");
20705
+ message += import_chalk11.default.gray(
20963
20706
  ` \u2022 RSS: ${Math.round(status.memory.rss / 1024 / 1024)}MB
20964
20707
  `
20965
20708
  );
20966
- message += import_chalk12.default.gray(
20709
+ message += import_chalk11.default.gray(
20967
20710
  ` \u2022 Heap Used: ${Math.round(status.memory.heapUsed / 1024 / 1024)}MB
20968
20711
  `
20969
20712
  );
20970
- message += import_chalk12.default.gray(
20713
+ message += import_chalk11.default.gray(
20971
20714
  ` \u2022 Heap Total: ${Math.round(status.memory.heapTotal / 1024 / 1024)}MB
20972
20715
  `
20973
20716
  );
20974
- message += import_chalk12.default.gray(
20717
+ message += import_chalk11.default.gray(
20975
20718
  ` \u2022 External: ${Math.round(status.memory.external / 1024 / 1024)}MB
20976
20719
  `
20977
20720
  );
@@ -21000,7 +20743,7 @@ var init_SystemHandlers = __esm({
21000
20743
  if (signal?.aborted) {
21001
20744
  return {
21002
20745
  ok: false,
21003
- message: import_chalk12.default.yellow("Model operation canceled")
20746
+ message: import_chalk11.default.yellow("Model operation canceled")
21004
20747
  };
21005
20748
  }
21006
20749
  if (args.length === 0) {
@@ -21020,17 +20763,17 @@ var init_SystemHandlers = __esm({
21020
20763
  }
21021
20764
  }
21022
20765
  async listModels() {
21023
- let message = import_chalk12.default.cyan.bold("\u{1F916} Available Models\n\n");
21024
- message += import_chalk12.default.green(`Current: ${this.currentModel}
20766
+ let message = import_chalk11.default.cyan.bold("\u{1F916} Available Models\n\n");
20767
+ message += import_chalk11.default.green(`Current: ${this.currentModel}
21025
20768
 
21026
20769
  `);
21027
20770
  for (const model of this.availableModels) {
21028
- const status = model.available ? import_chalk12.default.green("\u2705") : import_chalk12.default.red("\u274C");
21029
- const name2 = model.id === this.currentModel ? import_chalk12.default.green.bold(model.id) : import_chalk12.default.cyan(model.id);
21030
- message += `${status} ${name2.padEnd(20)} ${import_chalk12.default.gray(`[${model.provider}]`)}
20771
+ const status = model.available ? import_chalk11.default.green("\u2705") : import_chalk11.default.red("\u274C");
20772
+ const name2 = model.id === this.currentModel ? import_chalk11.default.green.bold(model.id) : import_chalk11.default.cyan(model.id);
20773
+ message += `${status} ${name2.padEnd(20)} ${import_chalk11.default.gray(`[${model.provider}]`)}
21031
20774
  `;
21032
20775
  }
21033
- message += import_chalk12.default.gray("\nUse /model <name> to switch models");
20776
+ message += import_chalk11.default.gray("\nUse /model <name> to switch models");
21034
20777
  return {
21035
20778
  ok: true,
21036
20779
  message,
@@ -21041,27 +20784,27 @@ var init_SystemHandlers = __esm({
21041
20784
  if (!modelId) {
21042
20785
  return {
21043
20786
  ok: false,
21044
- message: import_chalk12.default.red("Please specify a model to switch to")
20787
+ message: import_chalk11.default.red("Please specify a model to switch to")
21045
20788
  };
21046
20789
  }
21047
20790
  const model = this.availableModels.find((m2) => m2.id === modelId);
21048
20791
  if (!model) {
21049
20792
  return {
21050
20793
  ok: false,
21051
- message: import_chalk12.default.red(`Unknown model: ${modelId}
21052
- `) + import_chalk12.default.gray("Use /model list to see available models")
20794
+ message: import_chalk11.default.red(`Unknown model: ${modelId}
20795
+ `) + import_chalk11.default.gray("Use /model list to see available models")
21053
20796
  };
21054
20797
  }
21055
20798
  if (!model.available) {
21056
20799
  return {
21057
20800
  ok: false,
21058
- message: import_chalk12.default.yellow(`Model ${modelId} is not currently available`)
20801
+ message: import_chalk11.default.yellow(`Model ${modelId} is not currently available`)
21059
20802
  };
21060
20803
  }
21061
20804
  this.currentModel = modelId;
21062
20805
  return {
21063
20806
  ok: true,
21064
- message: import_chalk12.default.green(`\u2705 Switched to ${modelId}`),
20807
+ message: import_chalk11.default.green(`\u2705 Switched to ${modelId}`),
21065
20808
  data: { model: modelId }
21066
20809
  };
21067
20810
  }
@@ -21070,27 +20813,27 @@ var init_SystemHandlers = __esm({
21070
20813
  if (!model) {
21071
20814
  return {
21072
20815
  ok: false,
21073
- message: import_chalk12.default.red(`Unknown model: ${modelId}`)
20816
+ message: import_chalk11.default.red(`Unknown model: ${modelId}`)
21074
20817
  };
21075
20818
  }
21076
- let message = import_chalk12.default.cyan(`\u{1F4CB} Model Information: ${modelId}
20819
+ let message = import_chalk11.default.cyan(`\u{1F4CB} Model Information: ${modelId}
21077
20820
 
21078
20821
  `);
21079
- message += import_chalk12.default.gray(`Provider: ${model.provider}
20822
+ message += import_chalk11.default.gray(`Provider: ${model.provider}
21080
20823
  `);
21081
- message += import_chalk12.default.gray(
20824
+ message += import_chalk11.default.gray(
21082
20825
  `Status: ${model.available ? "Available" : "Unavailable"}
21083
20826
  `
21084
20827
  );
21085
- message += import_chalk12.default.gray(
20828
+ message += import_chalk11.default.gray(
21086
20829
  `Current: ${model.id === this.currentModel ? "Yes" : "No"}
21087
20830
  `
21088
20831
  );
21089
- message += import_chalk12.default.gray("\nCapabilities:\n");
21090
- message += import_chalk12.default.gray(" \u2022 Context: 128K tokens\n");
21091
- message += import_chalk12.default.gray(" \u2022 Languages: 95+\n");
21092
- message += import_chalk12.default.gray(" \u2022 Code: Yes\n");
21093
- message += import_chalk12.default.gray(" \u2022 Vision: ") + (modelId.includes("gpt-4") ? "Yes\n" : "No\n");
20832
+ message += import_chalk11.default.gray("\nCapabilities:\n");
20833
+ message += import_chalk11.default.gray(" \u2022 Context: 128K tokens\n");
20834
+ message += import_chalk11.default.gray(" \u2022 Languages: 95+\n");
20835
+ message += import_chalk11.default.gray(" \u2022 Code: Yes\n");
20836
+ message += import_chalk11.default.gray(" \u2022 Vision: ") + (modelId.includes("gpt-4") ? "Yes\n" : "No\n");
21094
20837
  return {
21095
20838
  ok: true,
21096
20839
  message,
@@ -21122,39 +20865,39 @@ var init_SystemHandlers = __esm({
21122
20865
  default:
21123
20866
  return {
21124
20867
  ok: false,
21125
- message: import_chalk12.default.red(`Unknown memory subcommand: ${subcommand}
21126
- `) + import_chalk12.default.gray("Available: status, clear, export, compact")
20868
+ message: import_chalk11.default.red(`Unknown memory subcommand: ${subcommand}
20869
+ `) + import_chalk11.default.gray("Available: status, clear, export, compact")
21127
20870
  };
21128
20871
  }
21129
20872
  }
21130
20873
  async showStatus() {
21131
- let message = import_chalk12.default.cyan.bold("\u{1F9E0} Memory Status\n\n");
21132
- message += import_chalk12.default.yellow("System 1 (Fast):\n");
21133
- message += import_chalk12.default.gray(
20874
+ let message = import_chalk11.default.cyan.bold("\u{1F9E0} Memory Status\n\n");
20875
+ message += import_chalk11.default.yellow("System 1 (Fast):\n");
20876
+ message += import_chalk11.default.gray(
21134
20877
  ` \u2022 Knowledge Nodes: ${this.memoryStats.system1.nodes}
21135
20878
  `
21136
20879
  );
21137
- message += import_chalk12.default.gray(` \u2022 Tokens: ${this.memoryStats.system1.tokens}
20880
+ message += import_chalk11.default.gray(` \u2022 Tokens: ${this.memoryStats.system1.tokens}
21138
20881
 
21139
20882
  `);
21140
- message += import_chalk12.default.blue("System 2 (Deep):\n");
21141
- message += import_chalk12.default.gray(
20883
+ message += import_chalk11.default.blue("System 2 (Deep):\n");
20884
+ message += import_chalk11.default.gray(
21142
20885
  ` \u2022 Reasoning Traces: ${this.memoryStats.system2.traces}
21143
20886
  `
21144
20887
  );
21145
- message += import_chalk12.default.gray(` \u2022 Tokens: ${this.memoryStats.system2.tokens}
20888
+ message += import_chalk11.default.gray(` \u2022 Tokens: ${this.memoryStats.system2.tokens}
21146
20889
 
21147
20890
  `);
21148
- message += import_chalk12.default.green("Total:\n");
21149
- message += import_chalk12.default.gray(` \u2022 Entries: ${this.memoryStats.total.entries}
20891
+ message += import_chalk11.default.green("Total:\n");
20892
+ message += import_chalk11.default.gray(` \u2022 Entries: ${this.memoryStats.total.entries}
21150
20893
  `);
21151
- message += import_chalk12.default.gray(
20894
+ message += import_chalk11.default.gray(
21152
20895
  ` \u2022 Tokens: ${this.memoryStats.total.tokens} / 128000
21153
20896
  `
21154
20897
  );
21155
20898
  const usage = Math.round(this.memoryStats.total.tokens / 128e3 * 100);
21156
20899
  const bar = "\u2588".repeat(Math.floor(usage / 5)) + "\u2591".repeat(20 - Math.floor(usage / 5));
21157
- message += import_chalk12.default.gray(` \u2022 Usage: [${bar}] ${usage}%
20900
+ message += import_chalk11.default.gray(` \u2022 Usage: [${bar}] ${usage}%
21158
20901
  `);
21159
20902
  return {
21160
20903
  ok: true,
@@ -21168,14 +20911,14 @@ var init_SystemHandlers = __esm({
21168
20911
  this.memoryStats.system1 = { nodes: 0, tokens: 0 };
21169
20912
  return {
21170
20913
  ok: true,
21171
- message: import_chalk12.default.green("\u2705 System 1 memory cleared")
20914
+ message: import_chalk11.default.green("\u2705 System 1 memory cleared")
21172
20915
  };
21173
20916
  }
21174
20917
  if (system === "system2") {
21175
20918
  this.memoryStats.system2 = { traces: 0, tokens: 0 };
21176
20919
  return {
21177
20920
  ok: true,
21178
- message: import_chalk12.default.green("\u2705 System 2 memory cleared")
20921
+ message: import_chalk11.default.green("\u2705 System 2 memory cleared")
21179
20922
  };
21180
20923
  }
21181
20924
  this.memoryStats = {
@@ -21185,15 +20928,15 @@ var init_SystemHandlers = __esm({
21185
20928
  };
21186
20929
  return {
21187
20930
  ok: true,
21188
- message: import_chalk12.default.green("\u{1F9F9} All memory cleared")
20931
+ message: import_chalk11.default.green("\u{1F9F9} All memory cleared")
21189
20932
  };
21190
20933
  }
21191
20934
  async exportMemory() {
21192
20935
  const filename = `memory-export-${Date.now()}.json`;
21193
20936
  return {
21194
20937
  ok: true,
21195
- message: import_chalk12.default.green(`\u{1F4E6} Memory exported to ${filename}
21196
- `) + import_chalk12.default.gray(
20938
+ message: import_chalk11.default.green(`\u{1F4E6} Memory exported to ${filename}
20939
+ `) + import_chalk11.default.gray(
21197
20940
  `Size: ${Math.round(JSON.stringify(this.memoryStats).length / 1024)}KB`
21198
20941
  ),
21199
20942
  data: { filename, stats: this.memoryStats }
@@ -21211,9 +20954,9 @@ var init_SystemHandlers = __esm({
21211
20954
  );
21212
20955
  return {
21213
20956
  ok: true,
21214
- message: import_chalk12.default.green("\u2728 Memory compacted successfully\n") + import_chalk12.default.gray(`Before: ${before} tokens
21215
- `) + import_chalk12.default.gray(`After: ${after} tokens
21216
- `) + import_chalk12.default.gray(
20957
+ message: import_chalk11.default.green("\u2728 Memory compacted successfully\n") + import_chalk11.default.gray(`Before: ${before} tokens
20958
+ `) + import_chalk11.default.gray(`After: ${after} tokens
20959
+ `) + import_chalk11.default.gray(
21217
20960
  `Saved: ${before - after} tokens (${Math.round((1 - after / before) * 100)}%)`
21218
20961
  ),
21219
20962
  data: { before, after, saved: before - after }
@@ -21229,11 +20972,11 @@ var init_SystemHandlers = __esm({
21229
20972
  if (signal?.aborted) {
21230
20973
  return {
21231
20974
  ok: false,
21232
- message: import_chalk12.default.yellow("Health check canceled")
20975
+ message: import_chalk11.default.yellow("Health check canceled")
21233
20976
  };
21234
20977
  }
21235
20978
  const detailed = args.includes("--detailed");
21236
- let message = import_chalk12.default.cyan.bold("\u{1F3E5} System Health Check\n\n");
20979
+ let message = import_chalk11.default.cyan.bold("\u{1F3E5} System Health Check\n\n");
21237
20980
  const checks = [
21238
20981
  { name: "Core Services", status: "ok", latency: 12 },
21239
20982
  { name: "Memory System", status: "ok", latency: 8 },
@@ -21242,11 +20985,11 @@ var init_SystemHandlers = __esm({
21242
20985
  { name: "Network", status: "warning", latency: 250 }
21243
20986
  ];
21244
20987
  for (const check of checks) {
21245
- const icon = check.status === "ok" ? import_chalk12.default.green("\u2705") : check.status === "warning" ? import_chalk12.default.yellow("\u26A0\uFE0F") : import_chalk12.default.red("\u274C");
21246
- const status = check.status === "ok" ? import_chalk12.default.green("OK") : check.status === "warning" ? import_chalk12.default.yellow("WARNING") : import_chalk12.default.red("ERROR");
20988
+ const icon = check.status === "ok" ? import_chalk11.default.green("\u2705") : check.status === "warning" ? import_chalk11.default.yellow("\u26A0\uFE0F") : import_chalk11.default.red("\u274C");
20989
+ const status = check.status === "ok" ? import_chalk11.default.green("OK") : check.status === "warning" ? import_chalk11.default.yellow("WARNING") : import_chalk11.default.red("ERROR");
21247
20990
  message += `${icon} ${check.name.padEnd(20)} ${status}`;
21248
20991
  if (detailed) {
21249
- message += import_chalk12.default.gray(` (${check.latency}ms)`);
20992
+ message += import_chalk11.default.gray(` (${check.latency}ms)`);
21250
20993
  }
21251
20994
  message += "\n";
21252
20995
  }
@@ -21254,11 +20997,11 @@ var init_SystemHandlers = __esm({
21254
20997
  const hasErrors = checks.some((c) => c.status === "error");
21255
20998
  message += "\n";
21256
20999
  if (hasErrors) {
21257
- message += import_chalk12.default.red("\u26A0\uFE0F System has errors - intervention required");
21000
+ message += import_chalk11.default.red("\u26A0\uFE0F System has errors - intervention required");
21258
21001
  } else if (hasWarnings) {
21259
- message += import_chalk12.default.yellow("\u26A0\uFE0F System operational with warnings");
21002
+ message += import_chalk11.default.yellow("\u26A0\uFE0F System operational with warnings");
21260
21003
  } else {
21261
- message += import_chalk12.default.green("\u2705 All systems operational");
21004
+ message += import_chalk11.default.green("\u2705 All systems operational");
21262
21005
  }
21263
21006
  return {
21264
21007
  ok: true,
@@ -21276,12 +21019,12 @@ var init_SystemHandlers = __esm({
21276
21019
  if (signal?.aborted) {
21277
21020
  return {
21278
21021
  ok: false,
21279
- message: import_chalk12.default.yellow("Doctor check canceled")
21022
+ message: import_chalk11.default.yellow("Doctor check canceled")
21280
21023
  };
21281
21024
  }
21282
21025
  const autoFix = args.includes("--fix");
21283
- let message = import_chalk12.default.cyan.bold("\u{1F468}\u2695\uFE0F System Doctor\n\n");
21284
- message += import_chalk12.default.gray("Running diagnostics...\n\n");
21026
+ let message = import_chalk11.default.cyan.bold("\u{1F468}\u2695\uFE0F System Doctor\n\n");
21027
+ message += import_chalk11.default.gray("Running diagnostics...\n\n");
21285
21028
  const issues = [
21286
21029
  {
21287
21030
  severity: "warning",
@@ -21303,20 +21046,20 @@ var init_SystemHandlers = __esm({
21303
21046
  }
21304
21047
  ];
21305
21048
  if (issues.length === 0) {
21306
- message += import_chalk12.default.green("\u2705 No issues found - system is healthy!");
21049
+ message += import_chalk11.default.green("\u2705 No issues found - system is healthy!");
21307
21050
  return { ok: true, message };
21308
21051
  }
21309
- message += import_chalk12.default.yellow(`Found ${issues.length} issue(s):
21052
+ message += import_chalk11.default.yellow(`Found ${issues.length} issue(s):
21310
21053
 
21311
21054
  `);
21312
21055
  for (const issue of issues) {
21313
- const icon = issue.severity === "error" ? import_chalk12.default.red("\u274C") : issue.severity === "warning" ? import_chalk12.default.yellow("\u26A0\uFE0F") : import_chalk12.default.blue("\u2139\uFE0F");
21056
+ const icon = issue.severity === "error" ? import_chalk11.default.red("\u274C") : issue.severity === "warning" ? import_chalk11.default.yellow("\u26A0\uFE0F") : import_chalk11.default.blue("\u2139\uFE0F");
21314
21057
  message += `${icon} ${issue.issue}
21315
21058
  `;
21316
- message += import_chalk12.default.gray(` Solution: ${issue.solution}
21059
+ message += import_chalk11.default.gray(` Solution: ${issue.solution}
21317
21060
  `);
21318
21061
  if (autoFix && issue.fixable) {
21319
- message += import_chalk12.default.green(` \u2705 Auto-fixed
21062
+ message += import_chalk11.default.green(` \u2705 Auto-fixed
21320
21063
  `);
21321
21064
  }
21322
21065
  message += "\n";
@@ -21324,7 +21067,7 @@ var init_SystemHandlers = __esm({
21324
21067
  if (!autoFix) {
21325
21068
  const fixableCount = issues.filter((i2) => i2.fixable).length;
21326
21069
  if (fixableCount > 0) {
21327
- message += import_chalk12.default.gray(
21070
+ message += import_chalk11.default.gray(
21328
21071
  `
21329
21072
  Run /doctor --fix to automatically fix ${fixableCount} issue(s)`
21330
21073
  );
@@ -21767,7 +21510,7 @@ var init_package = __esm({
21767
21510
  "package.json"() {
21768
21511
  package_default = {
21769
21512
  name: "@bonginkan/maria",
21770
- version: "4.2.3",
21513
+ version: "4.2.4",
21771
21514
  description: "\u{1F680} MARIA v4.2.0 - Enterprise AI Development Platform with 100% Command Availability. Features 74 production-ready commands with comprehensive fallback implementation, local LLM support, and zero external dependencies. Includes natural language coding, AI safety evaluation, intelligent evolution system, episodic memory with PII masking, and real-time monitoring dashboard. Built with TypeScript AST-powered code generation, OAuth2.0 + PKCE authentication, quantum-resistant cryptography, and enterprise-grade performance.",
21772
21515
  keywords: [
21773
21516
  "ai",
@@ -22319,10 +22062,10 @@ function showCodeGenerationAnimation() {
22319
22062
  };
22320
22063
  return animation;
22321
22064
  }
22322
- var import_chalk13, ThinkingAnimation, ProcessAnimation, CodeGenerationAnimation, LoadingDots, BrainAnimation, ProgressBar, StreamingOutput;
22065
+ var import_chalk12, ThinkingAnimation, ProcessAnimation, CodeGenerationAnimation, LoadingDots, BrainAnimation, ProgressBar, StreamingOutput;
22323
22066
  var init_animations = __esm({
22324
22067
  "src/utils/animations.ts"() {
22325
- import_chalk13 = __toESM(require("chalk"), 1);
22068
+ import_chalk12 = __toESM(require("chalk"), 1);
22326
22069
  ThinkingAnimation = class {
22327
22070
  frames = ["\u280B", "\u2819", "\u2839", "\u2838", "\u283C", "\u2834", "\u2826", "\u2827", "\u2807", "\u280F"];
22328
22071
  currentFrame = 0;
@@ -22334,7 +22077,7 @@ var init_animations = __esm({
22334
22077
  start() {
22335
22078
  this.interval = setInterval(() => {
22336
22079
  process.stdout.write(
22337
- `\r${import_chalk13.default.cyan(this.frames[this.currentFrame])} ${import_chalk13.default.gray(this.message)}...`
22080
+ `\r${import_chalk12.default.cyan(this.frames[this.currentFrame])} ${import_chalk12.default.gray(this.message)}...`
22338
22081
  );
22339
22082
  this.currentFrame = (this.currentFrame + 1) % this.frames.length;
22340
22083
  }, 80);
@@ -22372,7 +22115,7 @@ var init_animations = __esm({
22372
22115
  const elapsed = Math.floor((Date.now() - this.startTime) / 1e3);
22373
22116
  const stage = this.stages[this.currentStage];
22374
22117
  process.stdout.write(
22375
- `\r${import_chalk13.default.cyan(this.spinnerFrames[this.currentFrame])} ${stage.icon} ${import_chalk13.default.gray(stage.message)}... ${import_chalk13.default.dim(`[${elapsed}s]`)}`
22118
+ `\r${import_chalk12.default.cyan(this.spinnerFrames[this.currentFrame])} ${stage.icon} ${import_chalk12.default.gray(stage.message)}... ${import_chalk12.default.dim(`[${elapsed}s]`)}`
22376
22119
  );
22377
22120
  this.currentFrame = (this.currentFrame + 1) % this.spinnerFrames.length;
22378
22121
  }, 80);
@@ -22434,11 +22177,11 @@ var init_animations = __esm({
22434
22177
  const stage = stages[this.currentStage];
22435
22178
  if (this.isComplex) {
22436
22179
  process.stdout.write(
22437
- `\r${import_chalk13.default.cyan(this.spinnerFrames[this.currentFrame])} ${stage} ${import_chalk13.default.dim(`[${elapsed}s]`)}`
22180
+ `\r${import_chalk12.default.cyan(this.spinnerFrames[this.currentFrame])} ${stage} ${import_chalk12.default.dim(`[${elapsed}s]`)}`
22438
22181
  );
22439
22182
  } else {
22440
22183
  process.stdout.write(
22441
- `\r${import_chalk13.default.cyan(this.spinnerFrames[this.currentFrame])} ${import_chalk13.default.gray(stage)}...`
22184
+ `\r${import_chalk12.default.cyan(this.spinnerFrames[this.currentFrame])} ${import_chalk12.default.gray(stage)}...`
22442
22185
  );
22443
22186
  }
22444
22187
  this.currentFrame = (this.currentFrame + 1) % this.spinnerFrames.length;
@@ -22481,7 +22224,7 @@ var init_animations = __esm({
22481
22224
  start() {
22482
22225
  this.interval = setInterval(() => {
22483
22226
  process.stdout.write(
22484
- `\r${import_chalk13.default.cyan(this.message)}${this.dots[this.currentDot]}`
22227
+ `\r${import_chalk12.default.cyan(this.message)}${this.dots[this.currentDot]}`
22485
22228
  );
22486
22229
  this.currentDot = (this.currentDot + 1) % this.dots.length;
22487
22230
  }, 300);
@@ -22510,7 +22253,7 @@ var init_animations = __esm({
22510
22253
  const frame = this.frames[this.currentFrame];
22511
22254
  const message = this.messages[this.currentFrame];
22512
22255
  process.stdout.write(
22513
- `\r${frame} ${import_chalk13.default.cyan(message)}...`
22256
+ `\r${frame} ${import_chalk12.default.cyan(message)}...`
22514
22257
  );
22515
22258
  this.currentFrame = (this.currentFrame + 1) % this.frames.length;
22516
22259
  }, 1e3);
@@ -22538,7 +22281,7 @@ var init_animations = __esm({
22538
22281
  const percentage = Math.floor(this.current / this.total * 100);
22539
22282
  const filled = Math.floor(this.current / this.total * this.width);
22540
22283
  const empty = this.width - filled;
22541
- const bar = import_chalk13.default.green("\u2588").repeat(filled) + import_chalk13.default.gray("\u2591").repeat(empty);
22284
+ const bar = import_chalk12.default.green("\u2588").repeat(filled) + import_chalk12.default.gray("\u2591").repeat(empty);
22542
22285
  process.stdout.write(`\r${this.label}: [${bar}] ${percentage}%`);
22543
22286
  if (this.current >= this.total) {
22544
22287
  process.stdout.write("\n");
@@ -23298,7 +23041,7 @@ function withAuth(fn) {
23298
23041
  try {
23299
23042
  const tokens = await authManager.getValidTokens();
23300
23043
  if (!tokens) {
23301
- console.log(import_chalk14.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
23044
+ console.log(import_chalk13.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
23302
23045
  process.exit(AUTH_EXIT_CODES.AUTH_REQUIRED);
23303
23046
  }
23304
23047
  global.MARIA_ID_TOKEN = tokens.idToken;
@@ -23307,39 +23050,39 @@ function withAuth(fn) {
23307
23050
  return await fn(...args);
23308
23051
  } catch (error2) {
23309
23052
  if (error2.code === "AUTH_REQUIRED") {
23310
- console.log(import_chalk14.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
23053
+ console.log(import_chalk13.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
23311
23054
  process.exit(AUTH_EXIT_CODES.AUTH_REQUIRED);
23312
23055
  }
23313
23056
  if (error2.code === "REAUTH_REQUIRED" || error2.code === "TOKEN_EXPIRED") {
23314
- console.log(import_chalk14.default.yellow("\u{1F504} Please re-authenticate \xB7 Run: maria /login"));
23057
+ console.log(import_chalk13.default.yellow("\u{1F504} Please re-authenticate \xB7 Run: maria /login"));
23315
23058
  process.exit(AUTH_EXIT_CODES.REAUTH_REQUIRED);
23316
23059
  }
23317
23060
  if (error2.code === "QUOTA_EXCEEDED") {
23318
- console.log(import_chalk14.default.yellow("\u26A0 Quota exceeded \xB7 Run: maria /billing"));
23061
+ console.log(import_chalk13.default.yellow("\u26A0 Quota exceeded \xB7 Run: maria /billing"));
23319
23062
  process.exit(AUTH_EXIT_CODES.QUOTA_EXCEEDED);
23320
23063
  }
23321
23064
  if (error2.code === "PLAN_RESTRICTED") {
23322
- console.log(import_chalk14.default.yellow("\u{1F512} Not available in current plan"));
23065
+ console.log(import_chalk13.default.yellow("\u{1F512} Not available in current plan"));
23323
23066
  process.exit(AUTH_EXIT_CODES.PLAN_RESTRICTED);
23324
23067
  }
23325
23068
  if (error2.code === "RATE_LIMITED") {
23326
23069
  const retryAfter = error2.retryAfter || 5;
23327
- console.log(import_chalk14.default.yellow(`\u23F1\uFE0F Rate limit: wait ${retryAfter}s`));
23070
+ console.log(import_chalk13.default.yellow(`\u23F1\uFE0F Rate limit: wait ${retryAfter}s`));
23328
23071
  process.exit(AUTH_EXIT_CODES.RATE_LIMITED);
23329
23072
  }
23330
23073
  if (error2.code === "NETWORK_ERROR") {
23331
- console.log(import_chalk14.default.red("\u{1F310} Network error, check connection"));
23074
+ console.log(import_chalk13.default.red("\u{1F310} Network error, check connection"));
23332
23075
  process.exit(AUTH_EXIT_CODES.NETWORK_ERROR);
23333
23076
  }
23334
23077
  throw error2;
23335
23078
  }
23336
23079
  };
23337
23080
  }
23338
- var import_chalk14, AUTH_EXIT_CODES, AUTH_EXEMPT_COMMANDS;
23081
+ var import_chalk13, AUTH_EXIT_CODES, AUTH_EXEMPT_COMMANDS;
23339
23082
  var init_withAuth = __esm({
23340
23083
  "src/services/cli-auth/withAuth.ts"() {
23341
23084
  init_AuthenticationManager();
23342
- import_chalk14 = __toESM(require("chalk"), 1);
23085
+ import_chalk13 = __toESM(require("chalk"), 1);
23343
23086
  AUTH_EXIT_CODES = {
23344
23087
  AUTH_REQUIRED: 2,
23345
23088
  REAUTH_REQUIRED: 2,
@@ -23562,19 +23305,19 @@ var conversation_persistence_exports = {};
23562
23305
  __export(conversation_persistence_exports, {
23563
23306
  ConversationPersistence: () => ConversationPersistence
23564
23307
  });
23565
- var import_fs3, path6, os5, ConversationPersistence;
23308
+ var import_fs3, path6, os4, ConversationPersistence;
23566
23309
  var init_conversation_persistence = __esm({
23567
23310
  "src/services/conversation-persistence.ts"() {
23568
23311
  import_fs3 = require("fs");
23569
23312
  path6 = __toESM(require("path"), 1);
23570
- os5 = __toESM(require("os"), 1);
23313
+ os4 = __toESM(require("os"), 1);
23571
23314
  ConversationPersistence = class {
23572
23315
  sessionFile;
23573
23316
  maxHistorySize;
23574
23317
  autoSaveInterval = null;
23575
23318
  pendingWrites = [];
23576
23319
  constructor(maxHistorySize = 100) {
23577
- const configDir = path6.join(os5.homedir(), ".maria");
23320
+ const configDir = path6.join(os4.homedir(), ".maria");
23578
23321
  this.sessionFile = path6.join(configDir, "conversation-history.json");
23579
23322
  this.maxHistorySize = maxHistorySize;
23580
23323
  this.ensureConfigDir();
@@ -26763,10 +26506,10 @@ var init_command_groups = __esm({
26763
26506
  });
26764
26507
 
26765
26508
  // src/services/autocomplete-dropdown.ts
26766
- var import_chalk15, AutocompleteDropdown;
26509
+ var import_chalk14, AutocompleteDropdown;
26767
26510
  var init_autocomplete_dropdown = __esm({
26768
26511
  "src/services/autocomplete-dropdown.ts"() {
26769
- import_chalk15 = __toESM(require("chalk"), 1);
26512
+ import_chalk14 = __toESM(require("chalk"), 1);
26770
26513
  AutocompleteDropdown = class {
26771
26514
  suggestions = [];
26772
26515
  selectedIndex = 0;
@@ -26846,21 +26589,21 @@ var init_autocomplete_dropdown = __esm({
26846
26589
  process.stdout.write("\x1B[s");
26847
26590
  process.stdout.write("\n");
26848
26591
  process.stdout.write(
26849
- "\x1B[K" + import_chalk15.default.white(
26592
+ "\x1B[K" + import_chalk14.default.white(
26850
26593
  "\u250C\u2500 Suggestions \u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2510"
26851
26594
  ) + "\n"
26852
26595
  );
26853
26596
  this.suggestions.forEach((suggestion, index) => {
26854
26597
  const isSelected = index === this.selectedIndex;
26855
- const prefix = isSelected ? import_chalk15.default.cyan("\u25BA ") : " ";
26856
- const nameStyle = isSelected ? import_chalk15.default.inverse : (s2) => s2;
26598
+ const prefix = isSelected ? import_chalk14.default.cyan("\u25BA ") : " ";
26599
+ const nameStyle = isSelected ? import_chalk14.default.inverse : (s2) => s2;
26857
26600
  const displayName = suggestion.name.padEnd(20);
26858
26601
  const displayDesc = suggestion.description.length > 30 ? suggestion.description.substring(0, 27) + "..." : suggestion.description.padEnd(30);
26859
- const line = `\u2502${prefix}${nameStyle(import_chalk15.default.white(displayName) + " " + import_chalk15.default.gray(displayDesc))} \u2502`;
26602
+ const line = `\u2502${prefix}${nameStyle(import_chalk14.default.white(displayName) + " " + import_chalk14.default.gray(displayDesc))} \u2502`;
26860
26603
  process.stdout.write("\x1B[K" + line + "\n");
26861
26604
  });
26862
26605
  process.stdout.write(
26863
- "\x1B[K" + import_chalk15.default.white(
26606
+ "\x1B[K" + import_chalk14.default.white(
26864
26607
  "\u2514\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2518"
26865
26608
  ) + "\n"
26866
26609
  );
@@ -26898,11 +26641,11 @@ var interactive_cli_exports = {};
26898
26641
  __export(interactive_cli_exports, {
26899
26642
  InteractiveCLI: () => InteractiveCLI
26900
26643
  });
26901
- var readline3, import_chalk16, import_promises2, import_path3, import_os2, InteractiveCLI;
26644
+ var readline3, import_chalk15, import_promises2, import_path3, import_os2, InteractiveCLI;
26902
26645
  var init_interactive_cli = __esm({
26903
26646
  "src/services/interactive-cli.ts"() {
26904
26647
  readline3 = __toESM(require("readline"), 1);
26905
- import_chalk16 = __toESM(require("chalk"), 1);
26648
+ import_chalk15 = __toESM(require("chalk"), 1);
26906
26649
  init_command_groups();
26907
26650
  init_autocomplete_dropdown();
26908
26651
  init_defaults();
@@ -27201,7 +26944,7 @@ var init_interactive_cli = __esm({
27201
26944
  }
27202
26945
  readline3.cursorTo(process.stdout, 0);
27203
26946
  readline3.clearLine(process.stdout, 0);
27204
- const prompt = import_chalk16.default.cyan("> ");
26947
+ const prompt = import_chalk15.default.cyan("> ");
27205
26948
  const displayInput = this.currentInput;
27206
26949
  process.stdout.write(prompt + displayInput);
27207
26950
  const promptLength = 2;
@@ -27221,9 +26964,9 @@ var init_interactive_cli = __esm({
27221
26964
  readline3.moveCursor(process.stdout, 0, 2);
27222
26965
  this.suggestions.forEach((suggestion, index) => {
27223
26966
  const isSelected = index === this.selectedIndex;
27224
- const prefix = isSelected ? import_chalk16.default.cyan("\u25BA ") : " ";
27225
- const nameStyle = isSelected ? import_chalk16.default.inverse.white : import_chalk16.default.white;
27226
- const descStyle = isSelected ? import_chalk16.default.inverse.gray : import_chalk16.default.gray;
26967
+ const prefix = isSelected ? import_chalk15.default.cyan("\u25BA ") : " ";
26968
+ const nameStyle = isSelected ? import_chalk15.default.inverse.white : import_chalk15.default.white;
26969
+ const descStyle = isSelected ? import_chalk15.default.inverse.gray : import_chalk15.default.gray;
27227
26970
  const name2 = suggestion.name.padEnd(15);
27228
26971
  const desc = suggestion.description.length > 40 ? suggestion.description.substring(0, 37) + "..." : suggestion.description;
27229
26972
  readline3.cursorTo(process.stdout, 0);
@@ -27244,20 +26987,20 @@ var init_interactive_cli = __esm({
27244
26987
  const promptLength = 2;
27245
26988
  const savedX = this.cursorPosition + promptLength;
27246
26989
  process.stdout.write("\n");
27247
- process.stdout.write(import_chalk16.default.white("\u256D\u2500\u2500\u2500\u2500 Command Suggestions \u2500\u2500\u2500\u2500\u256E\n"));
26990
+ process.stdout.write(import_chalk15.default.white("\u256D\u2500\u2500\u2500\u2500 Command Suggestions \u2500\u2500\u2500\u2500\u256E\n"));
27248
26991
  this.suggestions.forEach((suggestion, index) => {
27249
26992
  const isSelected = index === this.selectedIndex;
27250
- const prefix = isSelected ? import_chalk16.default.cyan("\u25BA ") : " ";
27251
- const nameStyle = isSelected ? import_chalk16.default.inverse.white : import_chalk16.default.white;
27252
- const descStyle = isSelected ? import_chalk16.default.inverse.gray : import_chalk16.default.gray;
26993
+ const prefix = isSelected ? import_chalk15.default.cyan("\u25BA ") : " ";
26994
+ const nameStyle = isSelected ? import_chalk15.default.inverse.white : import_chalk15.default.white;
26995
+ const descStyle = isSelected ? import_chalk15.default.inverse.gray : import_chalk15.default.gray;
27253
26996
  const name2 = suggestion.name.padEnd(15);
27254
26997
  const desc = suggestion.description.length > 40 ? suggestion.description.substring(0, 37) + "..." : suggestion.description;
27255
26998
  process.stdout.write(`${prefix}${nameStyle(name2)} ${descStyle(desc)}
27256
26999
  `);
27257
27000
  });
27258
- process.stdout.write(import_chalk16.default.white("\u2570\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u256F\n"));
27001
+ process.stdout.write(import_chalk15.default.white("\u2570\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u256F\n"));
27259
27002
  process.stdout.write(
27260
- import_chalk16.default.dim("\u2191/\u2193: Navigate \u2022 Tab/Enter: Select \u2022 Esc: Cancel")
27003
+ import_chalk15.default.dim("\u2191/\u2193: Navigate \u2022 Tab/Enter: Select \u2022 Esc: Cancel")
27261
27004
  );
27262
27005
  const totalLines = this.suggestions.length + 4;
27263
27006
  readline3.moveCursor(process.stdout, 0, -totalLines);
@@ -27720,15 +27463,15 @@ ${this.description}
27720
27463
  });
27721
27464
 
27722
27465
  // src/services/memory-system/quick-persistence.ts
27723
- var fs8, fsp, os7, path8, import_crypto5, DIR, FILE, QuickPersistence;
27466
+ var fs8, fsp, os6, path8, import_crypto5, DIR, FILE, QuickPersistence;
27724
27467
  var init_quick_persistence = __esm({
27725
27468
  "src/services/memory-system/quick-persistence.ts"() {
27726
27469
  fs8 = __toESM(require("fs"), 1);
27727
27470
  fsp = __toESM(require("fs/promises"), 1);
27728
- os7 = __toESM(require("os"), 1);
27471
+ os6 = __toESM(require("os"), 1);
27729
27472
  path8 = __toESM(require("path"), 1);
27730
27473
  import_crypto5 = require("crypto");
27731
- DIR = path8.join(os7.homedir(), ".maria", "memory");
27474
+ DIR = path8.join(os6.homedir(), ".maria", "memory");
27732
27475
  FILE = path8.join(DIR, "memories.jsonl");
27733
27476
  QuickPersistence = class {
27734
27477
  static async init() {
@@ -27851,7 +27594,7 @@ var init_quick_persistence = __esm({
27851
27594
  const mine = rows.filter((r2) => r2.userId === userId);
27852
27595
  const timestamp = (/* @__PURE__ */ new Date()).toISOString().replace(/[:.]/g, "-");
27853
27596
  const filename = `maria-memory-export-${timestamp}.${format}`;
27854
- const exportDir = path8.join(os7.homedir(), ".maria", "exports");
27597
+ const exportDir = path8.join(os6.homedir(), ".maria", "exports");
27855
27598
  const exportPath = path8.join(exportDir, filename);
27856
27599
  await fsp.mkdir(exportDir, { recursive: true });
27857
27600
  if (format === "jsonl") {
@@ -27969,7 +27712,6 @@ var init_bigquery_telemetry = __esm({
27969
27712
  this.httpEndpoint = process.env.TELEMETRY_ENDPOINT || null;
27970
27713
  if (this.isEnabled) {
27971
27714
  this.initialize().catch((error2) => {
27972
- console.error("[Telemetry] Initialization error:", error2);
27973
27715
  });
27974
27716
  }
27975
27717
  }
@@ -27994,7 +27736,6 @@ var init_bigquery_telemetry = __esm({
27994
27736
  keyFilename: process.env.GOOGLE_APPLICATION_CREDENTIALS
27995
27737
  });
27996
27738
  } catch (error2) {
27997
- console.error("[Telemetry] Failed to initialize BigQuery:", error2);
27998
27739
  }
27999
27740
  }
28000
27741
  this.startFlushTimer();
@@ -28036,7 +27777,6 @@ var init_bigquery_telemetry = __esm({
28036
27777
  } else {
28037
27778
  }
28038
27779
  } catch (error2) {
28039
- console.error("[Telemetry] Flush failed:", error2);
28040
27780
  if (this.telemetryQueue.length < this.config.batchSize * 2) {
28041
27781
  this.telemetryQueue = [...dataToFlush, ...this.telemetryQueue];
28042
27782
  }
@@ -28100,7 +27840,6 @@ var init_bigquery_telemetry = __esm({
28100
27840
  }
28101
27841
  })
28102
27842
  }).catch((error2) => {
28103
- console.error("[Telemetry] HTTP flush failed:", error2);
28104
27843
  throw error2;
28105
27844
  });
28106
27845
  if (!response2.ok) {
@@ -28114,7 +27853,6 @@ var init_bigquery_telemetry = __esm({
28114
27853
  if (this.flushTimer) return;
28115
27854
  this.flushTimer = setInterval(() => {
28116
27855
  this.flush().catch((error2) => {
28117
- console.error("[Telemetry] Timer flush failed:", error2);
28118
27856
  });
28119
27857
  }, this.config.flushIntervalMs);
28120
27858
  }
@@ -29896,14 +29634,14 @@ __export(HelpCommand_exports, {
29896
29634
  HelpCommand: () => HelpCommand,
29897
29635
  meta: () => meta
29898
29636
  });
29899
- var import_chalk17, HelpCommand, meta;
29637
+ var import_chalk16, HelpCommand, meta;
29900
29638
  var init_HelpCommand = __esm({
29901
29639
  "src/slash-commands/categories/core/handlers/HelpCommand.ts"() {
29902
29640
  init_base_command();
29903
29641
  init_ReadyCommandsService();
29904
29642
  init_telemetry_helper();
29905
29643
  init_subscription_manager();
29906
- import_chalk17 = __toESM(require("chalk"), 1);
29644
+ import_chalk16 = __toESM(require("chalk"), 1);
29907
29645
  HelpCommand = class extends BaseCommand {
29908
29646
  name = "help";
29909
29647
  category = "core";
@@ -30018,9 +29756,9 @@ var init_HelpCommand = __esm({
30018
29756
  const stats = await this.readyService.getStatistics();
30019
29757
  const lines = [];
30020
29758
  lines.push("\u2550".repeat(60));
30021
- lines.push(import_chalk17.default.bold(`${stats.totalReady} READY Commands | ${stats.categoriesCount} Categories`));
29759
+ lines.push(import_chalk16.default.bold(`${stats.totalReady} READY Commands | ${stats.categoriesCount} Categories`));
30022
29760
  lines.push("");
30023
- lines.push(import_chalk17.default.bold("Quick Access:"));
29761
+ lines.push(import_chalk16.default.bold("Quick Access:"));
30024
29762
  lines.push(" /help <command> - Detailed help for specific command");
30025
29763
  lines.push(" /help --quickstart - Essential commands for new users");
30026
29764
  lines.push(" /help --stats - Performance statistics");
@@ -30035,7 +29773,7 @@ var init_HelpCommand = __esm({
30035
29773
  }
30036
29774
  globalMaxNameLength = Math.max(globalMaxNameLength, 18) + 1;
30037
29775
  for (const category of categories) {
30038
- lines.push(import_chalk17.default.bold(`${category.name.toUpperCase()} (${category.count})`));
29776
+ lines.push(import_chalk16.default.bold(`${category.name.toUpperCase()} (${category.count})`));
30039
29777
  const showCommands = category.commands.slice(0, 4);
30040
29778
  for (const cmd of showCommands) {
30041
29779
  const needsGpu = this.hasGpuRequirement(cmd.description);
@@ -30055,7 +29793,7 @@ var init_HelpCommand = __esm({
30055
29793
  }
30056
29794
  lines.push("");
30057
29795
  }
30058
- lines.push(import_chalk17.default.bold("Pro Tips:"));
29796
+ lines.push(import_chalk16.default.bold("Pro Tips:"));
30059
29797
  lines.push(" \u2022 All listed commands are production-ready");
30060
29798
  lines.push(" \u2022 Use fuzzy search: /help --search confi \u2192 finds /config");
30061
29799
  lines.push(" \u2022 Categories ordered by importance");
@@ -30094,33 +29832,33 @@ var init_HelpCommand = __esm({
30094
29832
  formatCommandHelp(command) {
30095
29833
  const lines = [];
30096
29834
  lines.push("");
30097
- lines.push(`\u{1F4D6} ${import_chalk17.default.bold(`/${command.name}`)} - ${command.description}`);
29835
+ lines.push(`\u{1F4D6} ${import_chalk16.default.bold(`/${command.name}`)} - ${command.description}`);
30098
29836
  lines.push("\u2550".repeat(50));
30099
29837
  lines.push("");
30100
- lines.push(import_chalk17.default.bold("\u2139\uFE0F Information:"));
29838
+ lines.push(import_chalk16.default.bold("\u2139\uFE0F Information:"));
30101
29839
  lines.push(` Category: ${this.readyService["getCategoryEmoji"](command.category)} ${command.category}`);
30102
29840
  lines.push(` Status: \u2705 READY (contract validated)`);
30103
29841
  if (command.aliases && command.aliases.length > 0) {
30104
29842
  lines.push(` Aliases: ${command.aliases.map((a2) => `/${a2}`).join(", ")}`);
30105
29843
  }
30106
29844
  lines.push("");
30107
- lines.push(import_chalk17.default.bold("\u{1F3AF} Usage:"));
29845
+ lines.push(import_chalk16.default.bold("\u{1F3AF} Usage:"));
30108
29846
  lines.push(` ${command.usage}`);
30109
29847
  lines.push("");
30110
- lines.push(import_chalk17.default.bold("\u{1F4CB} Contract Validation:"));
29848
+ lines.push(import_chalk16.default.bold("\u{1F4CB} Contract Validation:"));
30111
29849
  lines.push(` \u26A1 Performance: ${command.contract.maxResponseTime}ms (tested)`);
30112
29850
  lines.push(` \u{1F4BB} TTY Mode: ${command.contract.tty ? "\u2705 Supported" : "\u274C Not supported"}`);
30113
29851
  lines.push(` \u{1F527} Non-TTY Mode: ${command.contract.nonTty ? "\u2705 Supported" : "\u274C Not supported"}`);
30114
29852
  lines.push(` \u{1F500} Pipe Mode: ${command.contract.pipe ? "\u2705 Supported" : "\u274C Not supported"}`);
30115
29853
  lines.push("");
30116
29854
  if (command.examples && command.examples.length > 0) {
30117
- lines.push(import_chalk17.default.bold("\u{1F4DD} Examples:"));
29855
+ lines.push(import_chalk16.default.bold("\u{1F4DD} Examples:"));
30118
29856
  for (const example of command.examples) {
30119
29857
  lines.push(` ${example}`);
30120
29858
  }
30121
29859
  lines.push("");
30122
29860
  }
30123
- lines.push(import_chalk17.default.bold("\u{1F4A1} Quick Tips:"));
29861
+ lines.push(import_chalk16.default.bold("\u{1F4A1} Quick Tips:"));
30124
29862
  lines.push(` \u2022 This command is production-ready and fully tested`);
30125
29863
  lines.push(` \u2022 Try /${command.name} --help for additional options`);
30126
29864
  if (command.category !== "core") {
@@ -30171,7 +29909,7 @@ var init_HelpCommand = __esm({
30171
29909
  };
30172
29910
  const emoji = emojiMap[categoryName.toLowerCase()] || "\u{1F4CB}";
30173
29911
  lines.push("");
30174
- lines.push(`${emoji} ${import_chalk17.default.bold(categoryName.toUpperCase() + " COMMANDS")} (${commands.length} READY)`);
29912
+ lines.push(`${emoji} ${import_chalk16.default.bold(categoryName.toUpperCase() + " COMMANDS")} (${commands.length} READY)`);
30175
29913
  lines.push("\u2550".repeat(50));
30176
29914
  lines.push("");
30177
29915
  const maxNameLength = Math.max(...commands.map((c) => c.name.length)) + 1;
@@ -30205,7 +29943,7 @@ var init_HelpCommand = __esm({
30205
29943
  formatSearchResults(searchTerm, results) {
30206
29944
  const lines = [];
30207
29945
  lines.push("");
30208
- lines.push(`\u{1F50D} ${import_chalk17.default.bold("SEARCH RESULTS")} for "${searchTerm}" (${results.length} matches)`);
29946
+ lines.push(`\u{1F50D} ${import_chalk16.default.bold("SEARCH RESULTS")} for "${searchTerm}" (${results.length} matches)`);
30209
29947
  lines.push("\u2550".repeat(50));
30210
29948
  lines.push("");
30211
29949
  for (const result of results) {
@@ -30218,7 +29956,7 @@ var init_HelpCommand = __esm({
30218
29956
  }
30219
29957
  lines.push("");
30220
29958
  }
30221
- lines.push(import_chalk17.default.bold("\u{1F4A1} Tip:") + " Higher scores indicate better matches");
29959
+ lines.push(import_chalk16.default.bold("\u{1F4A1} Tip:") + " Higher scores indicate better matches");
30222
29960
  lines.push("");
30223
29961
  return lines.join("\n");
30224
29962
  }
@@ -30229,38 +29967,38 @@ var init_HelpCommand = __esm({
30229
29967
  const quickCommands = await this.readyService.getQuickStartCommands();
30230
29968
  const lines = [];
30231
29969
  lines.push("");
30232
- lines.push(`\u{1F680} ${import_chalk17.default.bold("MARIA QUICKSTART")} - Essential Commands`);
29970
+ lines.push(`\u{1F680} ${import_chalk16.default.bold("MARIA QUICKSTART")} - Essential Commands`);
30233
29971
  lines.push("\u2550".repeat(50));
30234
29972
  lines.push("");
30235
- lines.push(import_chalk17.default.bold("\u{1F3AF} Get Started in 3 Steps:"));
29973
+ lines.push(import_chalk16.default.bold("\u{1F3AF} Get Started in 3 Steps:"));
30236
29974
  lines.push("");
30237
- lines.push(import_chalk17.default.bold("1\uFE0F\u20E3 Configure Your AI Provider"));
29975
+ lines.push(import_chalk16.default.bold("1\uFE0F\u20E3 Configure Your AI Provider"));
30238
29976
  const modelCmd = quickCommands.find((c) => c.name === "model");
30239
29977
  if (modelCmd) {
30240
29978
  lines.push(` /${modelCmd.name} - ${modelCmd.description}`);
30241
29979
  lines.push(` Try: /model set provider=openai key=sk-...`);
30242
29980
  }
30243
29981
  lines.push("");
30244
- lines.push(import_chalk17.default.bold("2\uFE0F\u20E3 Check System Status"));
29982
+ lines.push(import_chalk16.default.bold("2\uFE0F\u20E3 Check System Status"));
30245
29983
  const statusCmd = quickCommands.find((c) => c.name === "status");
30246
29984
  if (statusCmd) {
30247
29985
  lines.push(` /${statusCmd.name} - ${statusCmd.description}`);
30248
29986
  lines.push(` Try: /status`);
30249
29987
  }
30250
29988
  lines.push("");
30251
- lines.push(import_chalk17.default.bold("3\uFE0F\u20E3 Start Coding"));
29989
+ lines.push(import_chalk16.default.bold("3\uFE0F\u20E3 Start Coding"));
30252
29990
  const codeCmd = quickCommands.find((c) => c.name === "code");
30253
29991
  if (codeCmd) {
30254
29992
  lines.push(` /${codeCmd.name} - ${codeCmd.description}`);
30255
29993
  lines.push(` Try: /code create a hello world function`);
30256
29994
  }
30257
29995
  lines.push("");
30258
- lines.push(import_chalk17.default.bold("\u{1F527} Essential Commands:"));
29996
+ lines.push(import_chalk16.default.bold("\u{1F527} Essential Commands:"));
30259
29997
  for (const cmd of quickCommands) {
30260
29998
  lines.push(` /${cmd.name.padEnd(12)} - ${cmd.description}`);
30261
29999
  }
30262
30000
  lines.push("");
30263
- lines.push(import_chalk17.default.bold("\u{1F4A1} Next Steps:"));
30001
+ lines.push(import_chalk16.default.bold("\u{1F4A1} Next Steps:"));
30264
30002
  lines.push(" \u2022 /help --category <name> - Explore command categories");
30265
30003
  lines.push(" \u2022 /help --search <term> - Find specific functionality");
30266
30004
  lines.push(" \u2022 /help <command> - Get detailed command help");
@@ -30275,20 +30013,20 @@ var init_HelpCommand = __esm({
30275
30013
  const categories = await this.readyService.getCategories();
30276
30014
  const lines = [];
30277
30015
  lines.push("");
30278
- lines.push(`\u{1F4CA} ${import_chalk17.default.bold("READY COMMANDS STATISTICS")}`);
30016
+ lines.push(`\u{1F4CA} ${import_chalk16.default.bold("READY COMMANDS STATISTICS")}`);
30279
30017
  lines.push("\u2550".repeat(40));
30280
30018
  lines.push("");
30281
- lines.push(import_chalk17.default.bold("\u{1F3AF} Overall:"));
30019
+ lines.push(import_chalk16.default.bold("\u{1F3AF} Overall:"));
30282
30020
  lines.push(` Total READY Commands: ${stats.totalReady}`);
30283
30021
  lines.push(` Categories: ${stats.categoriesCount}`);
30284
30022
  lines.push(` Last Updated: ${stats.lastUpdated?.toLocaleString() || "Unknown"}`);
30285
30023
  lines.push("");
30286
- lines.push(import_chalk17.default.bold("\u26A1 Performance:"));
30024
+ lines.push(import_chalk16.default.bold("\u26A1 Performance:"));
30287
30025
  lines.push(` Average Response Time: ${stats.avgResponseTime}ms`);
30288
30026
  lines.push(` Fastest Command: /${stats.fastestCommand}`);
30289
30027
  lines.push(` Slowest Command: /${stats.slowestCommand}`);
30290
30028
  lines.push("");
30291
- lines.push(import_chalk17.default.bold("\u{1F4CB} By Category:"));
30029
+ lines.push(import_chalk16.default.bold("\u{1F4CB} By Category:"));
30292
30030
  for (const category of categories) {
30293
30031
  const avgTime = Math.round(
30294
30032
  category.commands.reduce((sum, cmd) => sum + cmd.contract.maxResponseTime, 0) / category.commands.length
@@ -30296,7 +30034,7 @@ var init_HelpCommand = __esm({
30296
30034
  lines.push(` ${category.emoji} ${category.name.padEnd(15)}: ${category.count.toString().padStart(2)} commands (${avgTime}ms avg)`);
30297
30035
  }
30298
30036
  lines.push("");
30299
- lines.push(import_chalk17.default.bold("\u2705 Contract Validation:"));
30037
+ lines.push(import_chalk16.default.bold("\u2705 Contract Validation:"));
30300
30038
  lines.push(" All commands tested for:");
30301
30039
  lines.push(" \u2022 Basic execution without crashes");
30302
30040
  lines.push(" \u2022 TTY/non-TTY/pipe compatibility");
@@ -30470,10 +30208,10 @@ var init_LoginCommand = __esm({
30470
30208
  if (!authResult.success) {
30471
30209
  return this.error(authResult.error || "Authentication failed \xB7 Try again", void 0, void 0, 2);
30472
30210
  }
30473
- const userInfo2 = authResult.user;
30474
- const plan = userInfo2?.plan || "Free";
30475
- const quotaLeft = userInfo2?.usage?.requestsRemaining || 100;
30476
- const email = userInfo2?.email || "user";
30211
+ const userInfo = authResult.user;
30212
+ const plan = userInfo?.plan || "Free";
30213
+ const quotaLeft = userInfo?.usage?.requestsRemaining || 100;
30214
+ const email = userInfo?.email || "user";
30477
30215
  await trackCommand({
30478
30216
  cmd: "login",
30479
30217
  status: "success",
@@ -30513,11 +30251,11 @@ var init_LoginCommand = __esm({
30513
30251
  });
30514
30252
 
30515
30253
  // src/services/model-selector-ui.ts
30516
- var readline4, import_chalk18, ModelSelectorUI;
30254
+ var readline4, import_chalk17, ModelSelectorUI;
30517
30255
  var init_model_selector_ui = __esm({
30518
30256
  "src/services/model-selector-ui.ts"() {
30519
30257
  readline4 = __toESM(require("readline"), 1);
30520
- import_chalk18 = __toESM(require("chalk"), 1);
30258
+ import_chalk17 = __toESM(require("chalk"), 1);
30521
30259
  ModelSelectorUI = class {
30522
30260
  models = [];
30523
30261
  selectedIndex = 0;
@@ -30544,7 +30282,7 @@ var init_model_selector_ui = __esm({
30544
30282
  output: process.stdout,
30545
30283
  terminal: true
30546
30284
  });
30547
- console.log(import_chalk18.default.green(
30285
+ console.log(import_chalk17.default.green(
30548
30286
  "\u250C\u2500[ MODEL MATRIX ]\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2510"
30549
30287
  ));
30550
30288
  process.stdout.write("\x1B7");
@@ -30612,14 +30350,14 @@ var init_model_selector_ui = __esm({
30612
30350
  }
30613
30351
  renderFromSavedPosition() {
30614
30352
  if (this.isDestroyed) return;
30615
- console.log(import_chalk18.default.green(
30616
- "\u2502 " + import_chalk18.default.greenBright("SELECT MODEL:") + " ".repeat(62) + "\u2502"
30353
+ console.log(import_chalk17.default.green(
30354
+ "\u2502 " + import_chalk17.default.greenBright("SELECT MODEL:") + " ".repeat(62) + "\u2502"
30617
30355
  ));
30618
30356
  this.renderContent();
30619
30357
  const scrollInfo = `[${this.selectedIndex + 1}/${this.models.length}]`;
30620
30358
  const helpText = `\u2193:NEXT \u2191:PREV ENTER:EXEC ESC:ABORT ${scrollInfo}`;
30621
- console.log(import_chalk18.default.green("\u2502 ") + import_chalk18.default.dim.green(helpText.padEnd(76)) + import_chalk18.default.green(" \u2502"));
30622
- console.log(import_chalk18.default.green(
30359
+ console.log(import_chalk17.default.green("\u2502 ") + import_chalk17.default.dim.green(helpText.padEnd(76)) + import_chalk17.default.green(" \u2502"));
30360
+ console.log(import_chalk17.default.green(
30623
30361
  "\u2514\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2500\u2518"
30624
30362
  ));
30625
30363
  }
@@ -30660,19 +30398,19 @@ var init_model_selector_ui = __esm({
30660
30398
  const item = displayItems[i2];
30661
30399
  if (item.type === "group") {
30662
30400
  console.log(
30663
- import_chalk18.default.green("\u2502") + import_chalk18.default.dim.green(" \u2501\u2501\u2501 ") + import_chalk18.default.greenBright(item.content.substring(2, item.content.indexOf(" \u2500"))) + import_chalk18.default.dim.green(" " + "\u2501".repeat(71 - item.content.indexOf(" \u2500"))) + import_chalk18.default.green("\u2502")
30401
+ import_chalk17.default.green("\u2502") + import_chalk17.default.dim.green(" \u2501\u2501\u2501 ") + import_chalk17.default.greenBright(item.content.substring(2, item.content.indexOf(" \u2500"))) + import_chalk17.default.dim.green(" " + "\u2501".repeat(71 - item.content.indexOf(" \u2500"))) + import_chalk17.default.green("\u2502")
30664
30402
  );
30665
30403
  } else {
30666
30404
  const isSelected = item.modelIndex === this.selectedIndex;
30667
- const prefix = isSelected ? import_chalk18.default.greenBright("\u25B6 ") : " ";
30405
+ const prefix = isSelected ? import_chalk17.default.greenBright("\u25B6 ") : " ";
30668
30406
  const modelText = item.content;
30669
30407
  if (isSelected) {
30670
30408
  console.log(
30671
- import_chalk18.default.green("\u2502") + prefix + import_chalk18.default.black.bgGreen(modelText.padEnd(75)) + import_chalk18.default.green("\u2502")
30409
+ import_chalk17.default.green("\u2502") + prefix + import_chalk17.default.black.bgGreen(modelText.padEnd(75)) + import_chalk17.default.green("\u2502")
30672
30410
  );
30673
30411
  } else {
30674
30412
  console.log(
30675
- import_chalk18.default.green("\u2502") + prefix + import_chalk18.default.green(modelText.substring(0, 75).padEnd(75)) + import_chalk18.default.green("\u2502")
30413
+ import_chalk17.default.green("\u2502") + prefix + import_chalk17.default.green(modelText.substring(0, 75).padEnd(75)) + import_chalk17.default.green("\u2502")
30676
30414
  );
30677
30415
  }
30678
30416
  }
@@ -32924,8 +32662,8 @@ async function loadServices() {
32924
32662
  try {
32925
32663
  const commandName = command.startsWith("/") ? command.slice(1) : command;
32926
32664
  if (commandName === "battlecard") {
32927
- console.log(import_chalk19.default.yellow("\u{1F512} /battlecard is not available on Free plan"));
32928
- console.log(import_chalk19.default.gray(" Join the waitlist for business features: https://maria-code.ai/waitlist"));
32665
+ console.log(import_chalk18.default.yellow("\u{1F512} /battlecard is not available on Free plan"));
32666
+ console.log(import_chalk18.default.gray(" Join the waitlist for business features: https://maria-code.ai/waitlist"));
32929
32667
  return {
32930
32668
  success: false,
32931
32669
  message: "Command not available on Free plan"
@@ -32986,7 +32724,7 @@ async function loadServices() {
32986
32724
  commandManager.setLegacyHandler(legacyHandlerAdapter);
32987
32725
  }
32988
32726
  } catch (e2) {
32989
- console.warn(import_chalk19.default.yellow("\u26A0 Some services unavailable, using fallbacks"));
32727
+ console.warn(import_chalk18.default.yellow("\u26A0 Some services unavailable, using fallbacks"));
32990
32728
  }
32991
32729
  }
32992
32730
  async function init() {
@@ -33100,20 +32838,20 @@ async function enforceAuth(cmd) {
33100
32838
  try {
33101
32839
  const tokens = await authManager.getValidTokens();
33102
32840
  if (!tokens) {
33103
- console.log(import_chalk19.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
32841
+ console.log(import_chalk18.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
33104
32842
  process.exit(2);
33105
32843
  return false;
33106
32844
  }
33107
32845
  return true;
33108
32846
  } catch (error2) {
33109
32847
  if (error2.code === "AUTH_REQUIRED") {
33110
- console.log(import_chalk19.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
32848
+ console.log(import_chalk18.default.red("\u{1F510} Authentication required \xB7 Run: maria /login"));
33111
32849
  process.exit(2);
33112
32850
  } else if (error2.code === "REAUTH_REQUIRED") {
33113
- console.log(import_chalk19.default.yellow("\u{1F504} Please re-authenticate \xB7 Run: maria /login"));
32851
+ console.log(import_chalk18.default.yellow("\u{1F504} Please re-authenticate \xB7 Run: maria /login"));
33114
32852
  process.exit(2);
33115
32853
  } else {
33116
- console.log(import_chalk19.default.red("\u{1F310} Network error, check connection"));
32854
+ console.log(import_chalk18.default.red("\u{1F310} Network error, check connection"));
33117
32855
  process.exit(1);
33118
32856
  }
33119
32857
  return false;
@@ -33153,7 +32891,7 @@ async function handleSlash(input3) {
33153
32891
  console.log(JSON.stringify(result.data, null, 2));
33154
32892
  }
33155
32893
  } else {
33156
- console.log(import_chalk19.default.red(`Help Error: ${result.message}`));
32894
+ console.log(import_chalk18.default.red(`Help Error: ${result.message}`));
33157
32895
  }
33158
32896
  return true;
33159
32897
  }
@@ -33161,7 +32899,7 @@ async function handleSlash(input3) {
33161
32899
  if (process.env.MARIA_DEBUG === "1") {
33162
32900
  console.error("HelpCommand error:", helpError);
33163
32901
  }
33164
- console.log(import_chalk19.default.yellow("\u26A0 Dynamic help unavailable, using fallback"));
32902
+ console.log(import_chalk18.default.yellow("\u26A0 Dynamic help unavailable, using fallback"));
33165
32903
  }
33166
32904
  const help = `
33167
32905
  \u{1F4D6} MARIA CLI Help
@@ -33186,7 +32924,7 @@ Chat:
33186
32924
  session.length = 0;
33187
32925
  if (ctx?.clearContext) ctx.clearContext();
33188
32926
  console.clear();
33189
- console.log(import_chalk19.default.cyan("\u2728 Session cleared"));
32927
+ console.log(import_chalk18.default.cyan("\u2728 Session cleared"));
33190
32928
  return true;
33191
32929
  }
33192
32930
  if (cmd === "code") {
@@ -33194,7 +32932,7 @@ Chat:
33194
32932
  const prompt = args.join(" ").trim();
33195
32933
  if (!prompt) {
33196
32934
  console.log(
33197
- import_chalk19.default.red("Usage: /code <request> e.g. /code build a REST API")
32935
+ import_chalk18.default.red("Usage: /code <request> e.g. /code build a REST API")
33198
32936
  );
33199
32937
  return true;
33200
32938
  }
@@ -33206,7 +32944,7 @@ Chat:
33206
32944
  const prompt = args.join(" ").trim();
33207
32945
  if (!prompt) {
33208
32946
  console.log(
33209
- import_chalk19.default.cyan("\u{1F3A8} **Image Generation**\n") + import_chalk19.default.white("Usage: /image <prompt>\n") + import_chalk19.default.gray("Example: /image \u5BCC\u58EB\u5C71\u306E\u65E5\u306E\u51FA")
32947
+ import_chalk18.default.cyan("\u{1F3A8} **Image Generation**\n") + import_chalk18.default.white("Usage: /image <prompt>\n") + import_chalk18.default.gray("Example: /image \u5BCC\u58EB\u5C71\u306E\u65E5\u306E\u51FA")
33210
32948
  );
33211
32949
  return true;
33212
32950
  }
@@ -33218,14 +32956,14 @@ Chat:
33218
32956
  options: {},
33219
32957
  logger: {
33220
32958
  info: (msg) => console.log(msg),
33221
- error: (msg) => console.error(import_chalk19.default.red(msg)),
33222
- warn: (msg) => console.warn(import_chalk19.default.yellow(msg))
32959
+ error: (msg) => console.error(import_chalk18.default.red(msg)),
32960
+ warn: (msg) => console.warn(import_chalk18.default.yellow(msg))
33223
32961
  }
33224
32962
  };
33225
32963
  await imageCommand2.execute(context2);
33226
32964
  }
33227
32965
  } catch (error2) {
33228
- console.error(import_chalk19.default.red("Image generation failed:"), error2.message);
32966
+ console.error(import_chalk18.default.red("Image generation failed:"), error2.message);
33229
32967
  }
33230
32968
  return true;
33231
32969
  }
@@ -33234,7 +32972,7 @@ Chat:
33234
32972
  const prompt = args.join(" ").trim();
33235
32973
  if (!prompt) {
33236
32974
  console.log(
33237
- import_chalk19.default.cyan("\u{1F3AC} **Video Generation**\n") + import_chalk19.default.white("Usage: /video <prompt>\n") + import_chalk19.default.gray("Example: /video \u6D77\u306E\u6CE2\u304C\u6253\u3061\u5BC4\u305B\u308B\u69D8\u5B50")
32975
+ import_chalk18.default.cyan("\u{1F3AC} **Video Generation**\n") + import_chalk18.default.white("Usage: /video <prompt>\n") + import_chalk18.default.gray("Example: /video \u6D77\u306E\u6CE2\u304C\u6253\u3061\u5BC4\u305B\u308B\u69D8\u5B50")
33238
32976
  );
33239
32977
  return true;
33240
32978
  }
@@ -33246,14 +32984,14 @@ Chat:
33246
32984
  options: {},
33247
32985
  logger: {
33248
32986
  info: (msg) => console.log(msg),
33249
- error: (msg) => console.error(import_chalk19.default.red(msg)),
33250
- warn: (msg) => console.warn(import_chalk19.default.yellow(msg))
32987
+ error: (msg) => console.error(import_chalk18.default.red(msg)),
32988
+ warn: (msg) => console.warn(import_chalk18.default.yellow(msg))
33251
32989
  }
33252
32990
  };
33253
32991
  await videoCommand2.execute(context2);
33254
32992
  }
33255
32993
  } catch (error2) {
33256
- console.error(import_chalk19.default.red("Video generation failed:"), error2.message);
32994
+ console.error(import_chalk18.default.red("Video generation failed:"), error2.message);
33257
32995
  }
33258
32996
  return true;
33259
32997
  }
@@ -33262,7 +33000,7 @@ Chat:
33262
33000
  const prompt = args.join(" ").trim();
33263
33001
  if (!prompt) {
33264
33002
  console.log(
33265
- import_chalk19.default.cyan("\u{1F399}\uFE0F **Voice Synthesis**\n") + import_chalk19.default.white("Usage: /voice <text>\n") + import_chalk19.default.gray("Example: /voice \u3053\u3093\u306B\u3061\u306F\u3001\u5143\u6C17\u3067\u3059\u304B\uFF1F")
33003
+ import_chalk18.default.cyan("\u{1F399}\uFE0F **Voice Synthesis**\n") + import_chalk18.default.white("Usage: /voice <text>\n") + import_chalk18.default.gray("Example: /voice \u3053\u3093\u306B\u3061\u306F\u3001\u5143\u6C17\u3067\u3059\u304B\uFF1F")
33266
33004
  );
33267
33005
  return true;
33268
33006
  }
@@ -33274,14 +33012,14 @@ Chat:
33274
33012
  options: {},
33275
33013
  logger: {
33276
33014
  info: (msg) => console.log(msg),
33277
- error: (msg) => console.error(import_chalk19.default.red(msg)),
33278
- warn: (msg) => console.warn(import_chalk19.default.yellow(msg))
33015
+ error: (msg) => console.error(import_chalk18.default.red(msg)),
33016
+ warn: (msg) => console.warn(import_chalk18.default.yellow(msg))
33279
33017
  }
33280
33018
  };
33281
33019
  await voiceCommand2.execute(context2);
33282
33020
  }
33283
33021
  } catch (error2) {
33284
- console.error(import_chalk19.default.red("Voice synthesis failed:"), error2.message);
33022
+ console.error(import_chalk18.default.red("Voice synthesis failed:"), error2.message);
33285
33023
  }
33286
33024
  return true;
33287
33025
  }
@@ -33300,36 +33038,36 @@ Chat:
33300
33038
  if (args.includes("status")) {
33301
33039
  if (await authManager.isAuthenticated()) {
33302
33040
  const user = await authManager.getCurrentUser();
33303
- console.log(import_chalk19.default.green("\u2705 Authenticated"));
33304
- console.log(import_chalk19.default.white(`\u{1F464} User: ${import_chalk19.default.cyan(user.email)}`));
33305
- console.log(import_chalk19.default.white(`\u{1F4CA} Plan: ${import_chalk19.default.cyan(user.plan)}`));
33041
+ console.log(import_chalk18.default.green("\u2705 Authenticated"));
33042
+ console.log(import_chalk18.default.white(`\u{1F464} User: ${import_chalk18.default.cyan(user.email)}`));
33043
+ console.log(import_chalk18.default.white(`\u{1F4CA} Plan: ${import_chalk18.default.cyan(user.plan)}`));
33306
33044
  } else {
33307
- console.log(import_chalk19.default.yellow("\u26A0\uFE0F Not authenticated"));
33308
- console.log(import_chalk19.default.gray("Use /login to sign in"));
33045
+ console.log(import_chalk18.default.yellow("\u26A0\uFE0F Not authenticated"));
33046
+ console.log(import_chalk18.default.gray("Use /login to sign in"));
33309
33047
  }
33310
33048
  } else {
33311
33049
  const result = await authManager.login(options2);
33312
33050
  if (result.success && result.user) {
33313
- console.log(import_chalk19.default.green("\u2705 Successfully logged in!"));
33314
- console.log(import_chalk19.default.white(`\u{1F464} User: ${import_chalk19.default.cyan(result.user.email)}`));
33315
- console.log(import_chalk19.default.white(`\u{1F4CA} Plan: ${import_chalk19.default.cyan(result.user.plan)}`));
33051
+ console.log(import_chalk18.default.green("\u2705 Successfully logged in!"));
33052
+ console.log(import_chalk18.default.white(`\u{1F464} User: ${import_chalk18.default.cyan(result.user.email)}`));
33053
+ console.log(import_chalk18.default.white(`\u{1F4CA} Plan: ${import_chalk18.default.cyan(result.user.plan)}`));
33316
33054
  } else {
33317
- console.log(import_chalk19.default.red("\u274C Login failed"));
33318
- if (result.error) console.log(import_chalk19.default.gray(result.error));
33055
+ console.log(import_chalk18.default.red("\u274C Login failed"));
33056
+ if (result.error) console.log(import_chalk18.default.gray(result.error));
33319
33057
  }
33320
33058
  }
33321
33059
  }
33322
33060
  } catch (error2) {
33323
- console.error(import_chalk19.default.red("Login error:"), error2.message);
33061
+ console.error(import_chalk18.default.red("Login error:"), error2.message);
33324
33062
  }
33325
33063
  return true;
33326
33064
  }
33327
33065
  if (cmd === "logout" || cmd === "signout") {
33328
33066
  try {
33329
33067
  await authManager.logout();
33330
- console.log(import_chalk19.default.green("\u{1F44B} Signed out. Local credentials removed."));
33068
+ console.log(import_chalk18.default.green("\u{1F44B} Signed out. Local credentials removed."));
33331
33069
  } catch (error2) {
33332
- console.error(import_chalk19.default.red("Logout error:"), error2.message);
33070
+ console.error(import_chalk18.default.red("Logout error:"), error2.message);
33333
33071
  }
33334
33072
  return true;
33335
33073
  }
@@ -33430,11 +33168,11 @@ Chat:
33430
33168
  }
33431
33169
  }
33432
33170
  if (!["battlecard", "sales-dashboard", "tune", "pilot-setup"].includes(cmd)) {
33433
- console.log(import_chalk19.default.red(`\u274C Unknown command: /${cmd}`));
33434
- console.log(import_chalk19.default.yellow("\n\u{1F4A1} Suggestions:"));
33435
- console.log(import_chalk19.default.gray(" \u2022 Type /help to see available commands"));
33436
- console.log(import_chalk19.default.gray(" \u2022 Check if you need to /login first"));
33437
- console.log(import_chalk19.default.gray(` \u2022 Try similar commands: /help --search ${cmd}`));
33171
+ console.log(import_chalk18.default.red(`\u274C Unknown command: /${cmd}`));
33172
+ console.log(import_chalk18.default.yellow("\n\u{1F4A1} Suggestions:"));
33173
+ console.log(import_chalk18.default.gray(" \u2022 Type /help to see available commands"));
33174
+ console.log(import_chalk18.default.gray(" \u2022 Check if you need to /login first"));
33175
+ console.log(import_chalk18.default.gray(` \u2022 Try similar commands: /help --search ${cmd}`));
33438
33176
  }
33439
33177
  return true;
33440
33178
  }
@@ -33702,11 +33440,11 @@ async function handleCodeCommand(prompt) {
33702
33440
  const filepath = path11.resolve(process.cwd(), filename);
33703
33441
  await fs11.writeFile(filepath, code, "utf-8");
33704
33442
  console.log(
33705
- import_chalk19.default.green("\n\u2705 **Code Saved**\n") + import_chalk19.default.white(`\u{1F4C1} **File (Click to open):**
33706
- `) + import_chalk19.default.cyan(`\u2022 [${filename}](file://${filepath})
33707
- `) + import_chalk19.default.gray(` \u{1F4CD} Path: \`${filepath}\`
33708
- `) + import_chalk19.default.white(` \u{1F4DD} Language: ${language}
33709
- `) + import_chalk19.default.dim(`
33443
+ import_chalk18.default.green("\n\u2705 **Code Saved**\n") + import_chalk18.default.white(`\u{1F4C1} **File (Click to open):**
33444
+ `) + import_chalk18.default.cyan(`\u2022 [${filename}](file://${filepath})
33445
+ `) + import_chalk18.default.gray(` \u{1F4CD} Path: \`${filepath}\`
33446
+ `) + import_chalk18.default.white(` \u{1F4DD} Language: ${language}
33447
+ `) + import_chalk18.default.dim(`
33710
33448
  \u{1F4A1} Tip: Command+Click (Mac) or Ctrl+Click (Windows/Linux) to open file`)
33711
33449
  );
33712
33450
  } else {
@@ -33715,11 +33453,11 @@ async function handleCodeCommand(prompt) {
33715
33453
  } catch (e2) {
33716
33454
  spinner.stop();
33717
33455
  if (process.env.MARIA_DEBUG === "1") {
33718
- console.error(import_chalk19.default.red("Code generation error:"), e2.message || e2);
33456
+ console.error(import_chalk18.default.red("Code generation error:"), e2.message || e2);
33719
33457
  }
33720
33458
  const fallbackCode = templateFallback(prompt);
33721
33459
  console.log(
33722
- import_chalk19.default.yellow("\u26A0 AI unavailable, using template fallback:\n")
33460
+ import_chalk18.default.yellow("\u26A0 AI unavailable, using template fallback:\n")
33723
33461
  );
33724
33462
  console.log(fallbackCode);
33725
33463
  try {
@@ -33728,14 +33466,14 @@ async function handleCodeCommand(prompt) {
33728
33466
  const filepath = path11.resolve(process.cwd(), filename);
33729
33467
  await fs11.writeFile(filepath, code, "utf-8");
33730
33468
  console.log(
33731
- import_chalk19.default.green("\n\u2705 **Template Code Saved**\n") + import_chalk19.default.white(`\u{1F4C1} **File (Click to open):**
33732
- `) + import_chalk19.default.cyan(`\u2022 [${filename}](file://${filepath})
33733
- `) + import_chalk19.default.gray(` \u{1F4CD} Path: \`${filepath}\`
33734
- `) + import_chalk19.default.dim(`
33469
+ import_chalk18.default.green("\n\u2705 **Template Code Saved**\n") + import_chalk18.default.white(`\u{1F4C1} **File (Click to open):**
33470
+ `) + import_chalk18.default.cyan(`\u2022 [${filename}](file://${filepath})
33471
+ `) + import_chalk18.default.gray(` \u{1F4CD} Path: \`${filepath}\`
33472
+ `) + import_chalk18.default.dim(`
33735
33473
  \u{1F4A1} Tip: Command+Click (Mac) or Ctrl+Click (Windows/Linux) to open file`)
33736
33474
  );
33737
33475
  } catch (saveError) {
33738
- console.error(import_chalk19.default.red("Failed to save code:"), saveError);
33476
+ console.error(import_chalk18.default.red("Failed to save code:"), saveError);
33739
33477
  }
33740
33478
  }
33741
33479
  }
@@ -33791,7 +33529,7 @@ ${userPrompt}`;
33791
33529
  (seq) => response2.includes(seq)
33792
33530
  );
33793
33531
  if (guidedFlowDetected) {
33794
- console.log(import_chalk19.default.yellow("\u26A0 Guided flow detected, switching to fallback"));
33532
+ console.log(import_chalk18.default.yellow("\u26A0 Guided flow detected, switching to fallback"));
33795
33533
  return null;
33796
33534
  }
33797
33535
  const codeMatch = response2.match(/```[\s\S]*?```/);
@@ -33959,14 +33697,14 @@ async function streamAnswer(text) {
33959
33697
  if (store?.addMessage) await store.addMessage(msg);
33960
33698
  } else {
33961
33699
  animation.stop();
33962
- console.log(import_chalk19.default.yellow("AI service unavailable. Please check your configuration."));
33700
+ console.log(import_chalk18.default.yellow("AI service unavailable. Please check your configuration."));
33963
33701
  }
33964
33702
  } catch (e2) {
33965
33703
  animation.stop();
33966
33704
  if (e2.message?.includes("timeout") || e2.message?.includes("\u23F1\uFE0F")) {
33967
- console.log(import_chalk19.default.yellow(e2.message));
33705
+ console.log(import_chalk18.default.yellow(e2.message));
33968
33706
  } else {
33969
- console.log(import_chalk19.default.red("Error generating response:"), e2.message || e2);
33707
+ console.log(import_chalk18.default.red("Error generating response:"), e2.message || e2);
33970
33708
  }
33971
33709
  }
33972
33710
  }
@@ -33981,9 +33719,9 @@ async function handleLine(line) {
33981
33719
  if (consumed) return;
33982
33720
  const isAuthenticated = await authManager.isAuthenticated();
33983
33721
  if (!isAuthenticated) {
33984
- console.log(import_chalk19.default.yellow("\n\u26A0\uFE0F Authentication required for chat features"));
33985
- console.log(import_chalk19.default.cyan("Please run: /login"));
33986
- console.log(import_chalk19.default.gray("Or use slash commands like /help, /version"));
33722
+ console.log(import_chalk18.default.yellow("\n\u26A0\uFE0F Authentication required for chat features"));
33723
+ console.log(import_chalk18.default.cyan("Please run: /login"));
33724
+ console.log(import_chalk18.default.gray("Or use slash commands like /help, /version"));
33987
33725
  return;
33988
33726
  }
33989
33727
  const user = { role: "user", content: input3, timestamp: /* @__PURE__ */ new Date() };
@@ -34005,7 +33743,7 @@ async function startInteractiveSession() {
34005
33743
  }
34006
33744
  }
34007
33745
  const stop = async () => {
34008
- console.log(import_chalk19.default.cyan("\n\u{1F44B} Goodbye!"));
33746
+ console.log(import_chalk18.default.cyan("\n\u{1F44B} Goodbye!"));
34009
33747
  if (store?.close) await store.close().catch(() => {
34010
33748
  });
34011
33749
  if (interactiveCLI?.cleanup) interactiveCLI.cleanup();
@@ -34015,7 +33753,7 @@ async function startInteractiveSession() {
34015
33753
  process.once("SIGINT", stop);
34016
33754
  process.once("SIGTERM", stop);
34017
33755
  if (!isTTY) {
34018
- console.log(import_chalk19.default.gray("[Pipe mode detected - streaming input/output]"));
33756
+ console.log(import_chalk18.default.gray("[Pipe mode detected - streaming input/output]"));
34019
33757
  const rl = readline5.createInterface({
34020
33758
  input: import_node_process3.stdin,
34021
33759
  output: import_node_process3.stdout,
@@ -34030,7 +33768,7 @@ async function startInteractiveSession() {
34030
33768
  if (interactiveCLI) {
34031
33769
  while (true) {
34032
33770
  try {
34033
- const prompt = import_chalk19.default.gray("> ");
33771
+ const prompt = import_chalk18.default.gray("> ");
34034
33772
  process.stdout.write(prompt);
34035
33773
  const line = await interactiveCLI.question("");
34036
33774
  console.log();
@@ -34045,14 +33783,14 @@ async function startInteractiveSession() {
34045
33783
  await stop();
34046
33784
  return;
34047
33785
  }
34048
- console.error(import_chalk19.default.red("Error:"), error2?.message || error2);
33786
+ console.error(import_chalk18.default.red("Error:"), error2?.message || error2);
34049
33787
  }
34050
33788
  }
34051
33789
  } else {
34052
33790
  const rl = readline5.createInterface({ input: import_node_process3.stdin, output: import_node_process3.stdout });
34053
33791
  while (true) {
34054
33792
  try {
34055
- const prompt = import_chalk19.default.gray("> ");
33793
+ const prompt = import_chalk18.default.gray("> ");
34056
33794
  const line = await rl.question(prompt);
34057
33795
  console.log();
34058
33796
  if (line.toLowerCase() === "exit" || line.toLowerCase() === "quit") {
@@ -34066,7 +33804,7 @@ async function startInteractiveSession() {
34066
33804
  await stop();
34067
33805
  return;
34068
33806
  }
34069
- console.error(import_chalk19.default.red("Error:"), error2?.message || error2);
33807
+ console.error(import_chalk18.default.red("Error:"), error2?.message || error2);
34070
33808
  }
34071
33809
  }
34072
33810
  }
@@ -34076,7 +33814,7 @@ function createCLI() {
34076
33814
  program2.name("maria").description(`\u{1F680} MARIA v${getVersion()} - Intelligent AI Assistant`).version(getVersion()).option("--v3-session", "Use v3 session architecture").option("--no-interactive", "Disable interactive mode for CI/CD").option("--server", "Start HTTP server mode for Cloud Run").action(async (options) => {
34077
33815
  loadEnvironmentVariables();
34078
33816
  if (options.server) {
34079
- console.log(import_chalk19.default.green("\u{1F680} Starting MARIA server mode..."));
33817
+ console.log(import_chalk18.default.green("\u{1F680} Starting MARIA server mode..."));
34080
33818
  try {
34081
33819
  const serverPath = path11.join(process.cwd(), "server.mjs");
34082
33820
  const { spawn } = await import("child_process");
@@ -34085,48 +33823,37 @@ function createCLI() {
34085
33823
  env: process.env
34086
33824
  });
34087
33825
  serverProcess.on("error", (error2) => {
34088
- console.error(import_chalk19.default.red("\u274C Server process error:"), error2);
33826
+ console.error(import_chalk18.default.red("\u274C Server process error:"), error2);
34089
33827
  process.exit(1);
34090
33828
  });
34091
33829
  return;
34092
33830
  } catch (error2) {
34093
- console.error(import_chalk19.default.red("\u274C Failed to start server mode:"), error2);
33831
+ console.error(import_chalk18.default.red("\u274C Failed to start server mode:"), error2);
34094
33832
  process.exit(1);
34095
33833
  }
34096
33834
  }
34097
- if (!startupDisplayed) {
34098
- try {
34099
- const { displayStartupLogo: displayStartupLogo2 } = await Promise.resolve().then(() => (init_startup_display(), startup_display_exports));
34100
- displayStartupLogo2();
34101
- startupDisplayed = true;
34102
- } catch {
34103
- console.log(import_chalk19.default.cyan(`
34104
- \u{1F680} MARIA v${getVersion()}
34105
- `));
34106
- startupDisplayed = true;
34107
- }
34108
- }
33835
+ startupDisplayed = true;
34109
33836
  const useV3 = options.v3Session || process.env.MARIA_USE_V3_SESSION === "1";
34110
33837
  if (useV3) {
34111
33838
  try {
34112
- console.log(import_chalk19.default.cyan("\u{1F680} Starting MARIA v3 session..."));
33839
+ console.log(import_chalk18.default.cyan("\u{1F680} Starting MARIA v3 session..."));
34113
33840
  const { MariaAI: MariaAI2 } = await Promise.resolve().then(() => (init_maria_ai(), maria_ai_exports));
34114
33841
  const maria = new MariaAI2();
34115
33842
  await maria.initialize();
34116
33843
  return;
34117
33844
  } catch (e2) {
34118
- console.warn(import_chalk19.default.yellow("\u26A0 V3 session unavailable, using standard mode"));
33845
+ console.warn(import_chalk18.default.yellow("\u26A0 V3 session unavailable, using standard mode"));
34119
33846
  }
34120
33847
  }
34121
33848
  await startInteractiveSession();
34122
33849
  });
34123
33850
  return program2;
34124
33851
  }
34125
- var import_commander, import_chalk19, readline5, import_node_process3, path11, fs11, AIResponseService2, ChatContextService2, ConversationPersistence2, InteractiveCLI2, ai, ctx, store, session, commandManager, startupDisplayed, program;
33852
+ var import_commander, import_chalk18, readline5, import_node_process3, path11, fs11, AIResponseService2, ChatContextService2, ConversationPersistence2, InteractiveCLI2, ai, ctx, store, session, commandManager, startupDisplayed, program;
34126
33853
  var init_cli = __esm({
34127
33854
  "src/cli.ts"() {
34128
33855
  import_commander = require("commander");
34129
- import_chalk19 = __toESM(require("chalk"), 1);
33856
+ import_chalk18 = __toESM(require("chalk"), 1);
34130
33857
  readline5 = __toESM(require("readline/promises"), 1);
34131
33858
  import_node_process3 = require("process");
34132
33859
  path11 = __toESM(require("path"), 1);
@@ -34169,23 +33896,22 @@ function createCLI2() {
34169
33896
  }
34170
33897
  });
34171
33898
  program2.command("setup-ollama").description("Setup Ollama for local AI").action(async () => {
34172
- console.log(import_chalk20.default.cyan("Setting up Ollama..."));
33899
+ console.log(import_chalk19.default.cyan("Setting up Ollama..."));
34173
33900
  console.log(
34174
- import_chalk20.default.yellow("Please run: brew install ollama && ollama serve")
33901
+ import_chalk19.default.yellow("Please run: brew install ollama && ollama serve")
34175
33902
  );
34176
33903
  });
34177
33904
  program2.command("setup-vllm").description("Setup vLLM for local AI").action(async () => {
34178
- console.log(import_chalk20.default.cyan("Setting up vLLM..."));
34179
- console.log(import_chalk20.default.yellow("Please run: pip install vllm"));
33905
+ console.log(import_chalk19.default.cyan("Setting up vLLM..."));
33906
+ console.log(import_chalk19.default.yellow("Please run: pip install vllm"));
34180
33907
  });
34181
33908
  return program2;
34182
33909
  }
34183
- var import_chalk20, import_commander2, MariaAI;
33910
+ var import_chalk19, import_commander2, MariaAI;
34184
33911
  var init_maria_ai = __esm({
34185
33912
  "src/maria-ai.ts"() {
34186
- import_chalk20 = __toESM(require("chalk"), 1);
33913
+ import_chalk19 = __toESM(require("chalk"), 1);
34187
33914
  import_commander2 = require("commander");
34188
- init_startup_display();
34189
33915
  init_provider_selector();
34190
33916
  init_config2();
34191
33917
  init_IntelligentRouterService();
@@ -34202,17 +33928,16 @@ var init_maria_ai = __esm({
34202
33928
  }
34203
33929
  async initialize() {
34204
33930
  try {
34205
- displayStartupLogo();
34206
33931
  await this.providerSelector.initialize();
34207
33932
  const { provider, model } = await this.providerSelector.selectProvider();
34208
33933
  console.log(
34209
- import_chalk20.default.green(`
33934
+ import_chalk19.default.green(`
34210
33935
  \u2705 Selected: ${provider} with model ${model}`)
34211
33936
  );
34212
33937
  this.config.set("currentProvider", provider);
34213
33938
  this.config.set("currentModel", model);
34214
33939
  await this.config.save();
34215
- console.log(import_chalk20.default.cyan("\n\u{1F9E0} Initializing Intelligent Router..."));
33940
+ console.log(import_chalk19.default.cyan("\n\u{1F9E0} Initializing Intelligent Router..."));
34216
33941
  this.router = new IntelligentRouterService({
34217
33942
  confidenceThreshold: 0.85,
34218
33943
  enableLearning: true,
@@ -34220,12 +33945,12 @@ var init_maria_ai = __esm({
34220
33945
  });
34221
33946
  await this.router.initialize();
34222
33947
  console.log(
34223
- import_chalk20.default.green("\u2705 Intelligent Router initialized successfully\n")
33948
+ import_chalk19.default.green("\u2705 Intelligent Router initialized successfully\n")
34224
33949
  );
34225
33950
  this.session = createInteractiveSession(this);
34226
33951
  await this.session.start();
34227
33952
  } catch (error2) {
34228
- console.error(import_chalk20.default.red("\n\u274C Initialization failed:"), error2);
33953
+ console.error(import_chalk19.default.red("\n\u274C Initialization failed:"), error2);
34229
33954
  process.exit(1);
34230
33955
  }
34231
33956
  }
@@ -34233,7 +33958,7 @@ var init_maria_ai = __esm({
34233
33958
  if (this.session) {
34234
33959
  await this.session.stop();
34235
33960
  }
34236
- console.log(import_chalk20.default.cyan("\n\u{1F44B} Goodbye!"));
33961
+ console.log(import_chalk19.default.cyan("\n\u{1F44B} Goodbye!"));
34237
33962
  }
34238
33963
  };
34239
33964
  }
@@ -34243,7 +33968,7 @@ var init_maria_ai = __esm({
34243
33968
  init_maria_ai();
34244
33969
 
34245
33970
  // src/utils/version-check.ts
34246
- var import_chalk21 = __toESM(require("chalk"), 1);
33971
+ var import_chalk20 = __toESM(require("chalk"), 1);
34247
33972
  var import_semver = __toESM(require("semver"), 1);
34248
33973
  var MINIMUM_NODE_VERSION = "18.0.0";
34249
33974
  var RECOMMENDED_NODE_VERSION = "20.0.0";
@@ -34251,25 +33976,25 @@ function checkNodeVersion() {
34251
33976
  const currentVersion = process.version;
34252
33977
  if (!import_semver.default.satisfies(currentVersion, `>=${MINIMUM_NODE_VERSION}`)) {
34253
33978
  console.error(
34254
- import_chalk21.default.red(`
33979
+ import_chalk20.default.red(`
34255
33980
  \u274C Node.js version ${currentVersion} is not supported.`)
34256
33981
  );
34257
33982
  console.error(
34258
- import_chalk21.default.yellow(`Minimum required version: ${MINIMUM_NODE_VERSION}`)
33983
+ import_chalk20.default.yellow(`Minimum required version: ${MINIMUM_NODE_VERSION}`)
34259
33984
  );
34260
33985
  console.error(
34261
- import_chalk21.default.yellow(
33986
+ import_chalk20.default.yellow(
34262
33987
  `Recommended version: ${RECOMMENDED_NODE_VERSION} or higher`
34263
33988
  )
34264
33989
  );
34265
- console.error(import_chalk21.default.cyan("\nPlease upgrade Node.js:"));
34266
- console.error(import_chalk21.default.gray(" \u2022 Using nvm: nvm install 20 && nvm use 20"));
33990
+ console.error(import_chalk20.default.cyan("\nPlease upgrade Node.js:"));
33991
+ console.error(import_chalk20.default.gray(" \u2022 Using nvm: nvm install 20 && nvm use 20"));
34267
33992
  console.error(
34268
- import_chalk21.default.gray(
33993
+ import_chalk20.default.gray(
34269
33994
  " \u2022 Using nodenv: nodenv install 20.0.0 && nodenv global 20.0.0"
34270
33995
  )
34271
33996
  );
34272
- console.error(import_chalk21.default.gray(" \u2022 Download from: https://nodejs.org/"));
33997
+ console.error(import_chalk20.default.gray(" \u2022 Download from: https://nodejs.org/"));
34273
33998
  process.exit(1);
34274
33999
  }
34275
34000
  }