@stackmemoryai/stackmemory 0.4.0 → 0.4.2

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.
@@ -9,8 +9,16 @@ import { ralphDebugger } from "../../integrations/ralph/visualization/ralph-debu
9
9
  import { existsSync, readFileSync, writeFileSync } from "fs";
10
10
  import { trace } from "../../core/trace/index.js";
11
11
  function createRalphCommand() {
12
- const ralph = new Command("ralph").description("Ralph Wiggum Loop integration with StackMemory");
13
- ralph.command("init").description("Initialize a new Ralph Wiggum loop").argument("<task>", "Task description").option("-c, --criteria <criteria>", "Completion criteria (comma separated)").option("--max-iterations <n>", "Maximum iterations", "50").option("--use-context", "Load relevant context from StackMemory").option("--learn-from-similar", "Apply patterns from similar completed tasks").action(async (task, options) => {
12
+ const ralph = new Command("ralph").description(
13
+ "Ralph Wiggum Loop integration with StackMemory"
14
+ );
15
+ ralph.command("init").description("Initialize a new Ralph Wiggum loop").argument("<task>", "Task description").option(
16
+ "-c, --criteria <criteria>",
17
+ "Completion criteria (comma separated)"
18
+ ).option("--max-iterations <n>", "Maximum iterations", "50").option("--use-context", "Load relevant context from StackMemory").option(
19
+ "--learn-from-similar",
20
+ "Apply patterns from similar completed tasks"
21
+ ).action(async (task, options) => {
14
22
  return trace.command("ralph-init", { task, ...options }, async () => {
15
23
  try {
16
24
  console.log("\u{1F3AD} Initializing Ralph Wiggum loop...");
@@ -34,11 +42,17 @@ function createRalphCommand() {
34
42
  enhancedTask = `${task}
35
43
 
36
44
  ${contextResponse.context}`;
37
- console.log(`\u{1F4DA} Loaded context from ${contextResponse.sources.length} sources`);
38
- console.log(`\u{1F3AF} Context tokens: ${contextResponse.metadata.totalTokens}`);
45
+ console.log(
46
+ `\u{1F4DA} Loaded context from ${contextResponse.sources.length} sources`
47
+ );
48
+ console.log(
49
+ `\u{1F3AF} Context tokens: ${contextResponse.metadata.totalTokens}`
50
+ );
39
51
  }
40
52
  } catch (error) {
41
- console.log(`\u26A0\uFE0F Context loading failed: ${error.message}`);
53
+ console.log(
54
+ `\u26A0\uFE0F Context loading failed: ${error.message}`
55
+ );
42
56
  console.log("Proceeding without context...");
43
57
  }
44
58
  }
@@ -61,7 +75,9 @@ ${contextResponse.context}`;
61
75
  return trace.command("ralph-run", options, async () => {
62
76
  try {
63
77
  if (!existsSync(".ralph")) {
64
- console.error('\u274C No Ralph loop found. Run "stackmemory ralph init" first.');
78
+ console.error(
79
+ '\u274C No Ralph loop found. Run "stackmemory ralph init" first.'
80
+ );
65
81
  return;
66
82
  }
67
83
  console.log("\u{1F3AD} Starting Ralph Wiggum loop...");
@@ -85,13 +101,17 @@ ${contextResponse.context}`;
85
101
  return;
86
102
  }
87
103
  const task = readFileSync(".ralph/task.md", "utf8");
88
- const iteration = parseInt(readFileSync(".ralph/iteration.txt", "utf8") || "0");
104
+ const iteration = parseInt(
105
+ readFileSync(".ralph/iteration.txt", "utf8") || "0"
106
+ );
89
107
  const isComplete = existsSync(".ralph/work-complete.txt");
90
108
  const feedback = existsSync(".ralph/feedback.txt") ? readFileSync(".ralph/feedback.txt", "utf8") : "";
91
109
  console.log("\u{1F3AD} Ralph Loop Status:");
92
110
  console.log(` Task: ${task.substring(0, 80)}...`);
93
111
  console.log(` Iteration: ${iteration}`);
94
- console.log(` Status: ${isComplete ? "\u2705 COMPLETE" : "\u{1F504} IN PROGRESS"}`);
112
+ console.log(
113
+ ` Status: ${isComplete ? "\u2705 COMPLETE" : "\u{1F504} IN PROGRESS"}`
114
+ );
95
115
  if (feedback) {
96
116
  console.log(` Last feedback: ${feedback.substring(0, 100)}...`);
97
117
  }
@@ -101,7 +121,9 @@ ${contextResponse.context}`;
101
121
  progressLines.forEach((p) => {
102
122
  const progress = p;
103
123
  const status = progress.validation?.testsPass ? "\u2705" : "\u274C";
104
- console.log(` ${progress.iteration}: ${status} ${progress.changes} changes, ${progress.errors} errors`);
124
+ console.log(
125
+ ` ${progress.iteration}: ${status} ${progress.changes} changes, ${progress.errors} errors`
126
+ );
105
127
  });
106
128
  }
107
129
  } catch (error) {
@@ -177,7 +199,9 @@ ${contextResponse.context}`;
177
199
  console.log("\n\u{1F4C1} Ralph directory structure:");
178
200
  const { execSync } = await import("child_process");
179
201
  try {
180
- const tree = execSync("find .ralph -type f | head -20", { encoding: "utf8" });
202
+ const tree = execSync("find .ralph -type f | head -20", {
203
+ encoding: "utf8"
204
+ });
181
205
  console.log(tree);
182
206
  } catch {
183
207
  console.log(" (Unable to show directory tree)");
@@ -189,7 +213,11 @@ ${contextResponse.context}`;
189
213
  }
190
214
  });
191
215
  });
192
- ralph.command("swarm").description("Launch a swarm of specialized agents").argument("<project>", "Project description").option("--agents <agents>", "Comma-separated list of agent roles (architect,developer,tester,etc)", "developer,tester").option("--max-agents <n>", "Maximum number of agents", "5").action(async (project, options) => {
216
+ ralph.command("swarm").description("Launch a swarm of specialized agents").argument("<project>", "Project description").option(
217
+ "--agents <agents>",
218
+ "Comma-separated list of agent roles (architect,developer,tester,etc)",
219
+ "developer,tester"
220
+ ).option("--max-agents <n>", "Maximum number of agents", "5").action(async (project, options) => {
193
221
  return trace.command("ralph-swarm", { project, ...options }, async () => {
194
222
  try {
195
223
  console.log("\u{1F9BE} Launching Ralph swarm...");
@@ -200,12 +228,19 @@ ${contextResponse.context}`;
200
228
  conflictResolution: "defer_to_expertise",
201
229
  collaborationPreferences: []
202
230
  }));
203
- const swarmId = await swarmCoordinator.launchSwarm(project, agentSpecs);
231
+ const swarmId = await swarmCoordinator.launchSwarm(
232
+ project,
233
+ agentSpecs
234
+ );
204
235
  console.log(`\u2705 Swarm launched with ID: ${swarmId}`);
205
236
  console.log(`\u{1F465} ${agentSpecs.length} agents working on: ${project}`);
206
237
  console.log("\nNext steps:");
207
- console.log(" stackmemory ralph swarm-status <swarmId> # Check progress");
208
- console.log(" stackmemory ralph swarm-stop <swarmId> # Stop swarm");
238
+ console.log(
239
+ " stackmemory ralph swarm-status <swarmId> # Check progress"
240
+ );
241
+ console.log(
242
+ " stackmemory ralph swarm-stop <swarmId> # Stop swarm"
243
+ );
209
244
  } catch (error) {
210
245
  logger.error("Swarm launch failed", error);
211
246
  console.error("\u274C Swarm launch failed:", error.message);
@@ -213,31 +248,45 @@ ${contextResponse.context}`;
213
248
  });
214
249
  });
215
250
  ralph.command("orchestrate").description("Orchestrate multiple Ralph loops for complex tasks").argument("<description>", "Complex task description").option("--criteria <criteria>", "Success criteria (comma separated)").option("--max-loops <n>", "Maximum parallel loops", "3").option("--sequential", "Force sequential execution").action(async (description, options) => {
216
- return trace.command("ralph-orchestrate", { description, ...options }, async () => {
217
- try {
218
- console.log("\u{1F3AD} Orchestrating complex task...");
219
- await multiLoopOrchestrator.initialize();
220
- const criteria = options.criteria ? options.criteria.split(",").map((c) => c.trim()) : ["Task completed successfully", "All components working", "Tests pass"];
221
- const result = await multiLoopOrchestrator.orchestrateComplexTask(
222
- description,
223
- criteria,
224
- {
225
- maxLoops: parseInt(options.maxLoops),
226
- forceSequential: options.sequential
251
+ return trace.command(
252
+ "ralph-orchestrate",
253
+ { description, ...options },
254
+ async () => {
255
+ try {
256
+ console.log("\u{1F3AD} Orchestrating complex task...");
257
+ await multiLoopOrchestrator.initialize();
258
+ const criteria = options.criteria ? options.criteria.split(",").map((c) => c.trim()) : [
259
+ "Task completed successfully",
260
+ "All components working",
261
+ "Tests pass"
262
+ ];
263
+ const result = await multiLoopOrchestrator.orchestrateComplexTask(
264
+ description,
265
+ criteria,
266
+ {
267
+ maxLoops: parseInt(options.maxLoops),
268
+ forceSequential: options.sequential
269
+ }
270
+ );
271
+ console.log("\u2705 Orchestration completed!");
272
+ console.log(
273
+ `\u{1F4CA} Results: ${result.completedLoops.length} successful, ${result.failedLoops.length} failed`
274
+ );
275
+ console.log(
276
+ `\u23F1\uFE0F Total duration: ${Math.round(result.totalDuration / 1e3)}s`
277
+ );
278
+ if (result.insights.length > 0) {
279
+ console.log("\n\u{1F4A1} Insights:");
280
+ result.insights.forEach(
281
+ (insight) => console.log(` \u2022 ${insight}`)
282
+ );
227
283
  }
228
- );
229
- console.log("\u2705 Orchestration completed!");
230
- console.log(`\u{1F4CA} Results: ${result.completedLoops.length} successful, ${result.failedLoops.length} failed`);
231
- console.log(`\u23F1\uFE0F Total duration: ${Math.round(result.totalDuration / 1e3)}s`);
232
- if (result.insights.length > 0) {
233
- console.log("\n\u{1F4A1} Insights:");
234
- result.insights.forEach((insight) => console.log(` \u2022 ${insight}`));
284
+ } catch (error) {
285
+ logger.error("Orchestration failed", error);
286
+ console.error("\u274C Orchestration failed:", error.message);
235
287
  }
236
- } catch (error) {
237
- logger.error("Orchestration failed", error);
238
- console.error("\u274C Orchestration failed:", error.message);
239
288
  }
240
- });
289
+ );
241
290
  });
242
291
  ralph.command("learn").description("Learn patterns from completed loops").option("--task-type <type>", "Learn patterns for specific task type").action(async (options) => {
243
292
  return trace.command("ralph-learn", options, async () => {
@@ -249,12 +298,17 @@ ${contextResponse.context}`;
249
298
  if (patterns.length > 0) {
250
299
  console.log("\n\u{1F4CA} Top patterns:");
251
300
  patterns.slice(0, 5).forEach((pattern) => {
252
- console.log(` \u2022 ${pattern.pattern} (${Math.round(pattern.confidence * 100)}% confidence)`);
301
+ console.log(
302
+ ` \u2022 ${pattern.pattern} (${Math.round(pattern.confidence * 100)}% confidence)`
303
+ );
253
304
  });
254
305
  }
255
306
  } catch (error) {
256
307
  logger.error("Pattern learning failed", error);
257
- console.error("\u274C Pattern learning failed:", error.message);
308
+ console.error(
309
+ "\u274C Pattern learning failed:",
310
+ error.message
311
+ );
258
312
  }
259
313
  });
260
314
  });
@@ -262,13 +316,15 @@ ${contextResponse.context}`;
262
316
  return trace.command("ralph-debug-enhanced", options, async () => {
263
317
  try {
264
318
  if (!existsSync(".ralph") && !options.loopId) {
265
- console.log("\u274C No Ralph loop found. Run a loop first or specify --loop-id");
319
+ console.log(
320
+ "\u274C No Ralph loop found. Run a loop first or specify --loop-id"
321
+ );
266
322
  return;
267
323
  }
268
324
  console.log("\u{1F50D} Starting enhanced debugging...");
269
325
  await ralphDebugger.initialize();
270
326
  const loopId = options.loopId || "current";
271
- const debugSession = await ralphDebugger.startDebugSession(loopId, ".ralph");
327
+ await ralphDebugger.startDebugSession(loopId, ".ralph");
272
328
  if (options.generateReport) {
273
329
  const report = await ralphDebugger.generateDebugReport(loopId);
274
330
  console.log(`\u{1F4CB} Debug report generated: ${report.exportPath}`);
@@ -284,15 +340,36 @@ ${contextResponse.context}`;
284
340
  }
285
341
  });
286
342
  });
287
- ralph.command("tui").description("Launch TUI monitor for active swarms").option("--swarm-id <id>", "Monitor specific swarm ID").action(async (options) => {
343
+ ralph.command("tui").description("Launch TUI monitor for active swarms").option("--swarm-id <id>", "Monitor specific swarm ID").option("--simple", "Use simple text mode instead of full TUI").option("--force-tui", "Force full TUI even with compatibility issues").action(async (options) => {
288
344
  try {
289
- const { SwarmTUI } = await import("../../features/tui/swarm-monitor.js");
290
- const tui = new SwarmTUI();
291
- await tui.initialize(void 0, options.swarmId);
292
- tui.start();
345
+ const isGhostty = process.env.TERM_PROGRAM === "ghostty" || process.env.TERM?.includes("ghostty");
346
+ const isBasicTerm = process.env.TERM === "dumb" || process.env.TERM === "unknown";
347
+ const hasCompatibilityIssues = isGhostty || isBasicTerm;
348
+ const useSimpleMode = options.simple || hasCompatibilityIssues && !options.forceTui;
349
+ if (useSimpleMode) {
350
+ console.log("\u{1F9BE} Starting Simple Swarm Monitor (Text Mode)");
351
+ if (hasCompatibilityIssues && !options.simple) {
352
+ console.log(
353
+ `\u26A0\uFE0F Detected ${isGhostty ? "Ghostty" : "basic"} terminal - using text mode for compatibility`
354
+ );
355
+ console.log(
356
+ " Use --force-tui to override, or --simple to explicitly use text mode"
357
+ );
358
+ }
359
+ const { SimpleSwarmMonitor } = await import("../../features/tui/simple-monitor.js");
360
+ const monitor = new SimpleSwarmMonitor();
361
+ monitor.start();
362
+ } else {
363
+ console.log("\u{1F9BE} Starting Full TUI Monitor");
364
+ const { SwarmTUI } = await import("../../features/tui/swarm-monitor.js");
365
+ const tui = new SwarmTUI();
366
+ await tui.initialize(void 0, options.swarmId);
367
+ tui.start();
368
+ }
293
369
  } catch (error) {
294
370
  logger.error("TUI launch failed", error);
295
371
  console.error("\u274C TUI failed:", error.message);
372
+ console.log("\u{1F4A1} Try: stackmemory ralph tui --simple");
296
373
  process.exit(1);
297
374
  }
298
375
  });
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../../../src/cli/commands/ralph.ts"],
4
- "sourcesContent": ["/**\n * Ralph Wiggum Loop Commands\n * CLI interface for Ralph-StackMemory integration\n */\n\nimport { Command } from 'commander';\nimport { logger } from '../../core/monitoring/logger.js';\nimport { RalphLoop } from '../../../scripts/ralph-loop-implementation.js';\nimport { stackMemoryContextLoader } from '../../integrations/ralph/context/stackmemory-context-loader.js';\nimport { patternLearner } from '../../integrations/ralph/learning/pattern-learner.js';\nimport { multiLoopOrchestrator } from '../../integrations/ralph/orchestration/multi-loop-orchestrator.js';\nimport { swarmCoordinator } from '../../integrations/ralph/swarm/swarm-coordinator.js';\nimport { ralphDebugger } from '../../integrations/ralph/visualization/ralph-debugger.js';\nimport { existsSync, readFileSync, writeFileSync } from 'fs';\nimport { trace } from '../../core/trace/index.js';\n\nexport function createRalphCommand(): Command {\n const ralph = new Command('ralph')\n .description('Ralph Wiggum Loop integration with StackMemory');\n\n // Initialize a new Ralph loop\n ralph\n .command('init')\n .description('Initialize a new Ralph Wiggum loop')\n .argument('<task>', 'Task description')\n .option('-c, --criteria <criteria>', 'Completion criteria (comma separated)')\n .option('--max-iterations <n>', 'Maximum iterations', '50')\n .option('--use-context', 'Load relevant context from StackMemory')\n .option('--learn-from-similar', 'Apply patterns from similar completed tasks')\n .action(async (task, options) => {\n return trace.command('ralph-init', { task, ...options }, async () => {\n try {\n console.log('\uD83C\uDFAD Initializing Ralph Wiggum loop...');\n \n // Use basic Ralph loop for now (StackMemory integration requires DB setup)\n const loop = new RalphLoop({\n baseDir: '.ralph',\n maxIterations: parseInt(options.maxIterations),\n verbose: true\n });\n\n // Parse criteria\n const criteria = options.criteria \n ? options.criteria.split(',').map((c: string) => `- ${c.trim()}`).join('\\n')\n : '- All tests pass\\n- Code works correctly\\n- No lint errors';\n\n // Load StackMemory context if requested\n let enhancedTask = task;\n \n if (options.useContext || options.learnFromSimilar) {\n try {\n await stackMemoryContextLoader.initialize();\n \n const contextResponse = await stackMemoryContextLoader.loadInitialContext({\n task,\n usePatterns: true,\n useSimilarTasks: options.learnFromSimilar,\n maxTokens: 3000\n });\n \n if (contextResponse.context) {\n enhancedTask = `${task}\\n\\n${contextResponse.context}`;\n console.log(`\uD83D\uDCDA Loaded context from ${contextResponse.sources.length} sources`);\n console.log(`\uD83C\uDFAF Context tokens: ${contextResponse.metadata.totalTokens}`);\n }\n } catch (error: unknown) {\n console.log(`\u26A0\uFE0F Context loading failed: ${(error as Error).message}`);\n console.log('Proceeding without context...');\n }\n }\n\n await loop.initialize(enhancedTask, criteria);\n \n console.log('\u2705 Ralph loop initialized!');\n console.log(`\uD83D\uDCCB Task: ${task}`);\n console.log(`\uD83C\uDFAF Max iterations: ${options.maxIterations}`);\n console.log(`\uD83D\uDCC1 Loop directory: .ralph/`);\n console.log('\\nNext steps:');\n console.log(' stackmemory ralph run # Start the loop');\n console.log(' stackmemory ralph status # Check status');\n\n } catch (error: unknown) {\n logger.error('Failed to initialize Ralph loop', error as Error);\n console.error('\u274C Initialization failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Run the Ralph loop\n ralph\n .command('run')\n .description('Run the Ralph Wiggum loop')\n .option('--verbose', 'Verbose output')\n .option('--pause-on-error', 'Pause on validation errors')\n .action(async (options) => {\n return trace.command('ralph-run', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.error('\u274C No Ralph loop found. Run \"stackmemory ralph init\" first.');\n return;\n }\n\n console.log('\uD83C\uDFAD Starting Ralph Wiggum loop...');\n \n const loop = new RalphLoop({\n baseDir: '.ralph',\n verbose: options.verbose\n });\n\n await loop.run();\n \n } catch (error: unknown) {\n logger.error('Failed to run Ralph loop', error as Error);\n console.error('\u274C Loop execution failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Show loop status\n ralph\n .command('status')\n .description('Show current Ralph loop status')\n .option('--detailed', 'Show detailed iteration history')\n .action(async (options) => {\n return trace.command('ralph-status', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.log('\u274C No Ralph loop found in current directory');\n return;\n }\n\n // Get basic status from files\n \n // Read status from files\n const task = readFileSync('.ralph/task.md', 'utf8');\n const iteration = parseInt(readFileSync('.ralph/iteration.txt', 'utf8') || '0');\n const isComplete = existsSync('.ralph/work-complete.txt');\n const feedback = existsSync('.ralph/feedback.txt') ? readFileSync('.ralph/feedback.txt', 'utf8') : '';\n \n console.log('\uD83C\uDFAD Ralph Loop Status:');\n console.log(` Task: ${task.substring(0, 80)}...`);\n console.log(` Iteration: ${iteration}`);\n console.log(` Status: ${isComplete ? '\u2705 COMPLETE' : '\uD83D\uDD04 IN PROGRESS'}`);\n \n if (feedback) {\n console.log(` Last feedback: ${feedback.substring(0, 100)}...`);\n }\n\n if (options.detailed && existsSync('.ralph/progress.jsonl')) {\n console.log('\\n\uD83D\uDCCA Iteration History:');\n const progressLines = readFileSync('.ralph/progress.jsonl', 'utf8')\n .split('\\n')\n .filter(Boolean)\n .map(line => JSON.parse(line));\n \n progressLines.forEach((p: any) => {\n const progress = p as { iteration: number; validation?: { testsPass: boolean }; changes: number; errors: number };\n const status = progress.validation?.testsPass ? '\u2705' : '\u274C';\n console.log(` ${progress.iteration}: ${status} ${progress.changes} changes, ${progress.errors} errors`);\n });\n }\n\n // TODO: Show StackMemory integration status when available\n\n } catch (error: unknown) {\n logger.error('Failed to get Ralph status', error as Error);\n console.error('\u274C Status check failed:', (error as Error).message);\n }\n });\n });\n\n // Resume a crashed or paused loop\n ralph\n .command('resume')\n .description('Resume a crashed or paused Ralph loop')\n .option('--from-stackmemory', 'Restore from StackMemory backup')\n .action(async (options) => {\n return trace.command('ralph-resume', options, async () => {\n try {\n console.log('\uD83D\uDD04 Resuming Ralph loop...');\n \n const loop = new RalphLoop({ baseDir: '.ralph', verbose: true });\n \n if (options.fromStackmemory) {\n console.log('\uD83D\uDCDA StackMemory restore feature coming soon...');\n }\n\n await loop.run(); // Resume by continuing the loop\n \n } catch (error: unknown) {\n logger.error('Failed to resume Ralph loop', error as Error);\n console.error('\u274C Resume failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Stop the current loop\n ralph\n .command('stop')\n .description('Stop the current Ralph loop')\n .option('--save-progress', 'Save current progress to StackMemory')\n .action(async (options) => {\n return trace.command('ralph-stop', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.log('\u274C No active Ralph loop found');\n return;\n }\n\n console.log('\uD83D\uDED1 Stopping Ralph loop...');\n \n if (options.saveProgress) {\n console.log('\uD83D\uDCBE StackMemory progress save feature coming soon...');\n }\n\n // Create stop signal file\n writeFileSync('.ralph/stop-signal.txt', new Date().toISOString());\n console.log('\u2705 Stop signal sent');\n \n } catch (error: unknown) {\n logger.error('Failed to stop Ralph loop', error as Error);\n console.error('\u274C Stop failed:', (error as Error).message);\n }\n });\n });\n\n // Clean up loop artifacts\n ralph\n .command('clean')\n .description('Clean up Ralph loop artifacts')\n .option('--keep-history', 'Keep iteration history')\n .action(async (options) => {\n return trace.command('ralph-clean', options, async () => {\n try {\n // Clean up Ralph directory\n if (!options.keepHistory && existsSync('.ralph/history')) {\n const { execSync } = await import('child_process');\n execSync('rm -rf .ralph/history');\n }\n \n // Remove working files but keep task definition\n if (existsSync('.ralph/work-complete.txt')) {\n const fs = await import('fs');\n fs.unlinkSync('.ralph/work-complete.txt');\n }\n \n console.log('\uD83E\uDDF9 Ralph loop artifacts cleaned');\n \n } catch (error: unknown) {\n logger.error('Failed to clean Ralph artifacts', error as Error);\n console.error('\u274C Cleanup failed:', (error as Error).message);\n }\n });\n });\n\n // Debug and diagnostics\n ralph\n .command('debug')\n .description('Debug Ralph loop state and diagnostics')\n .option('--reconcile', 'Force state reconciliation')\n .option('--validate-context', 'Validate context budget')\n .action(async (options) => {\n return trace.command('ralph-debug', options, async () => {\n try {\n console.log('\uD83D\uDD0D Ralph Loop Debug Information:');\n \n if (options.reconcile) {\n console.log('\uD83D\uDD27 State reconciliation feature coming soon...');\n }\n\n if (options.validateContext) {\n console.log('\uD83D\uDCCA Context validation feature coming soon...');\n }\n\n // Show file structure\n if (existsSync('.ralph')) {\n console.log('\\n\uD83D\uDCC1 Ralph directory structure:');\n const { execSync } = await import('child_process');\n try {\n const tree = execSync('find .ralph -type f | head -20', { encoding: 'utf8' });\n console.log(tree);\n } catch {\n console.log(' (Unable to show directory tree)');\n }\n }\n \n } catch (error: unknown) {\n logger.error('Ralph debug failed', error as Error);\n console.error('\u274C Debug failed:', (error as Error).message);\n }\n });\n });\n\n // Swarm coordination commands\n ralph\n .command('swarm')\n .description('Launch a swarm of specialized agents')\n .argument('<project>', 'Project description')\n .option('--agents <agents>', 'Comma-separated list of agent roles (architect,developer,tester,etc)', 'developer,tester')\n .option('--max-agents <n>', 'Maximum number of agents', '5')\n .action(async (project, options) => {\n return trace.command('ralph-swarm', { project, ...options }, async () => {\n try {\n console.log('\uD83E\uDDBE Launching Ralph swarm...');\n \n await swarmCoordinator.initialize();\n \n const agentRoles = options.agents.split(',').map((r: string) => r.trim());\n const agentSpecs = agentRoles.map((role: string) => ({\n role: role as any,\n conflictResolution: 'defer_to_expertise',\n collaborationPreferences: []\n }));\n \n const swarmId = await swarmCoordinator.launchSwarm(project, agentSpecs);\n \n console.log(`\u2705 Swarm launched with ID: ${swarmId}`);\n console.log(`\uD83D\uDC65 ${agentSpecs.length} agents working on: ${project}`);\n console.log('\\nNext steps:');\n console.log(' stackmemory ralph swarm-status <swarmId> # Check progress');\n console.log(' stackmemory ralph swarm-stop <swarmId> # Stop swarm');\n \n } catch (error: unknown) {\n logger.error('Swarm launch failed', error as Error);\n console.error('\u274C Swarm launch failed:', (error as Error).message);\n }\n });\n });\n\n // Multi-loop orchestration for complex tasks\n ralph\n .command('orchestrate')\n .description('Orchestrate multiple Ralph loops for complex tasks')\n .argument('<description>', 'Complex task description')\n .option('--criteria <criteria>', 'Success criteria (comma separated)')\n .option('--max-loops <n>', 'Maximum parallel loops', '3')\n .option('--sequential', 'Force sequential execution')\n .action(async (description, options) => {\n return trace.command('ralph-orchestrate', { description, ...options }, async () => {\n try {\n console.log('\uD83C\uDFAD Orchestrating complex task...');\n \n await multiLoopOrchestrator.initialize();\n \n const criteria = options.criteria ? \n options.criteria.split(',').map((c: string) => c.trim()) :\n ['Task completed successfully', 'All components working', 'Tests pass'];\n \n const result = await multiLoopOrchestrator.orchestrateComplexTask(\n description,\n criteria,\n {\n maxLoops: parseInt(options.maxLoops),\n forceSequential: options.sequential\n }\n );\n \n console.log('\u2705 Orchestration completed!');\n console.log(`\uD83D\uDCCA Results: ${result.completedLoops.length} successful, ${result.failedLoops.length} failed`);\n console.log(`\u23F1\uFE0F Total duration: ${Math.round(result.totalDuration / 1000)}s`);\n \n if (result.insights.length > 0) {\n console.log('\\n\uD83D\uDCA1 Insights:');\n result.insights.forEach(insight => console.log(` \u2022 ${insight}`));\n }\n \n } catch (error: unknown) {\n logger.error('Orchestration failed', error as Error);\n console.error('\u274C Orchestration failed:', (error as Error).message);\n }\n });\n });\n\n // Pattern learning command\n ralph\n .command('learn')\n .description('Learn patterns from completed loops')\n .option('--task-type <type>', 'Learn patterns for specific task type')\n .action(async (options) => {\n return trace.command('ralph-learn', options, async () => {\n try {\n console.log('\uD83E\uDDE0 Learning patterns from completed loops...');\n \n await patternLearner.initialize();\n \n const patterns = options.taskType ?\n await patternLearner.learnForTaskType(options.taskType) :\n await patternLearner.learnFromCompletedLoops();\n \n console.log(`\u2705 Learned ${patterns.length} patterns`);\n \n if (patterns.length > 0) {\n console.log('\\n\uD83D\uDCCA Top patterns:');\n patterns.slice(0, 5).forEach(pattern => {\n console.log(` \u2022 ${pattern.pattern} (${Math.round(pattern.confidence * 100)}% confidence)`);\n });\n }\n \n } catch (error: unknown) {\n logger.error('Pattern learning failed', error as Error);\n console.error('\u274C Pattern learning failed:', (error as Error).message);\n }\n });\n });\n\n // Enhanced debug command with visualization\n ralph\n .command('debug-enhanced')\n .description('Advanced debugging with visualization')\n .option('--loop-id <id>', 'Specific loop to debug')\n .option('--generate-report', 'Generate comprehensive debug report')\n .option('--timeline', 'Generate timeline visualization')\n .action(async (options) => {\n return trace.command('ralph-debug-enhanced', options, async () => {\n try {\n if (!existsSync('.ralph') && !options.loopId) {\n console.log('\u274C No Ralph loop found. Run a loop first or specify --loop-id');\n return;\n }\n \n console.log('\uD83D\uDD0D Starting enhanced debugging...');\n \n await ralphDebugger.initialize();\n \n const loopId = options.loopId || 'current';\n const debugSession = await ralphDebugger.startDebugSession(loopId, '.ralph');\n \n if (options.generateReport) {\n const report = await ralphDebugger.generateDebugReport(loopId);\n console.log(`\uD83D\uDCCB Debug report generated: ${report.exportPath}`);\n }\n \n if (options.timeline) {\n const timelinePath = await ralphDebugger.generateLoopTimeline(loopId);\n console.log(`\uD83D\uDCCA Timeline visualization: ${timelinePath}`);\n }\n \n console.log('\uD83D\uDD0D Debug analysis complete');\n \n } catch (error: unknown) {\n logger.error('Enhanced debugging failed', error as Error);\n console.error('\u274C Debug failed:', (error as Error).message);\n }\n });\n });\n\n // TUI command for real-time monitoring\n ralph\n .command('tui')\n .description('Launch TUI monitor for active swarms')\n .option('--swarm-id <id>', 'Monitor specific swarm ID')\n .action(async (options) => {\n try {\n const { SwarmTUI } = await import('../../features/tui/swarm-monitor.js');\n \n const tui = new SwarmTUI();\n \n // Initialize with optional swarm ID\n await tui.initialize(undefined, options.swarmId);\n tui.start();\n \n } catch (error: unknown) {\n logger.error('TUI launch failed', error as Error);\n console.error('\u274C TUI failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\n return ralph;\n}\n\nexport default createRalphCommand;"],
5
- "mappings": "AAKA,SAAS,eAAe;AACxB,SAAS,cAAc;AACvB,SAAS,iBAAiB;AAC1B,SAAS,gCAAgC;AACzC,SAAS,sBAAsB;AAC/B,SAAS,6BAA6B;AACtC,SAAS,wBAAwB;AACjC,SAAS,qBAAqB;AAC9B,SAAS,YAAY,cAAc,qBAAqB;AACxD,SAAS,aAAa;AAEf,SAAS,qBAA8B;AAC5C,QAAM,QAAQ,IAAI,QAAQ,OAAO,EAC9B,YAAY,gDAAgD;AAG/D,QACG,QAAQ,MAAM,EACd,YAAY,oCAAoC,EAChD,SAAS,UAAU,kBAAkB,EACrC,OAAO,6BAA6B,uCAAuC,EAC3E,OAAO,wBAAwB,sBAAsB,IAAI,EACzD,OAAO,iBAAiB,wCAAwC,EAChE,OAAO,wBAAwB,6CAA6C,EAC5E,OAAO,OAAO,MAAM,YAAY;AAC/B,WAAO,MAAM,QAAQ,cAAc,EAAE,MAAM,GAAG,QAAQ,GAAG,YAAY;AACnE,UAAI;AACF,gBAAQ,IAAI,6CAAsC;AAGlD,cAAM,OAAO,IAAI,UAAU;AAAA,UACzB,SAAS;AAAA,UACT,eAAe,SAAS,QAAQ,aAAa;AAAA,UAC7C,SAAS;AAAA,QACX,CAAC;AAGD,cAAM,WAAW,QAAQ,WACrB,QAAQ,SAAS,MAAM,GAAG,EAAE,IAAI,CAAC,MAAc,KAAK,EAAE,KAAK,CAAC,EAAE,EAAE,KAAK,IAAI,IACzE;AAGJ,YAAI,eAAe;AAEnB,YAAI,QAAQ,cAAc,QAAQ,kBAAkB;AAClD,cAAI;AACF,kBAAM,yBAAyB,WAAW;AAE1C,kBAAM,kBAAkB,MAAM,yBAAyB,mBAAmB;AAAA,cACxE;AAAA,cACA,aAAa;AAAA,cACb,iBAAiB,QAAQ;AAAA,cACzB,WAAW;AAAA,YACb,CAAC;AAED,gBAAI,gBAAgB,SAAS;AAC3B,6BAAe,GAAG,IAAI;AAAA;AAAA,EAAO,gBAAgB,OAAO;AACpD,sBAAQ,IAAI,iCAA0B,gBAAgB,QAAQ,MAAM,UAAU;AAC9E,sBAAQ,IAAI,6BAAsB,gBAAgB,SAAS,WAAW,EAAE;AAAA,YAC1E;AAAA,UACF,SAAS,OAAgB;AACvB,oBAAQ,IAAI,yCAAgC,MAAgB,OAAO,EAAE;AACrE,oBAAQ,IAAI,+BAA+B;AAAA,UAC7C;AAAA,QACF;AAEA,cAAM,KAAK,WAAW,cAAc,QAAQ;AAE5C,gBAAQ,IAAI,gCAA2B;AACvC,gBAAQ,IAAI,mBAAY,IAAI,EAAE;AAC9B,gBAAQ,IAAI,6BAAsB,QAAQ,aAAa,EAAE;AACzD,gBAAQ,IAAI,mCAA4B;AACxC,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ,IAAI,8CAA8C;AAC1D,gBAAQ,IAAI,4CAA4C;AAAA,MAE1D,SAAS,OAAgB;AACvB,eAAO,MAAM,mCAAmC,KAAc;AAC9D,gBAAQ,MAAM,iCAA6B,MAAgB,OAAO;AAClE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,KAAK,EACb,YAAY,2BAA2B,EACvC,OAAO,aAAa,gBAAgB,EACpC,OAAO,oBAAoB,4BAA4B,EACvD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,aAAa,SAAS,YAAY;AACrD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ,MAAM,iEAA4D;AAC1E;AAAA,QACF;AAEA,gBAAQ,IAAI,yCAAkC;AAE9C,cAAM,OAAO,IAAI,UAAU;AAAA,UACzB,SAAS;AAAA,UACT,SAAS,QAAQ;AAAA,QACnB,CAAC;AAED,cAAM,KAAK,IAAI;AAAA,MAEjB,SAAS,OAAgB;AACvB,eAAO,MAAM,4BAA4B,KAAc;AACvD,gBAAQ,MAAM,iCAA6B,MAAgB,OAAO;AAClE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,QAAQ,EAChB,YAAY,gCAAgC,EAC5C,OAAO,cAAc,iCAAiC,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,gBAAgB,SAAS,YAAY;AACxD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ,IAAI,iDAA4C;AACxD;AAAA,QACF;AAKA,cAAM,OAAO,aAAa,kBAAkB,MAAM;AAClD,cAAM,YAAY,SAAS,aAAa,wBAAwB,MAAM,KAAK,GAAG;AAC9E,cAAM,aAAa,WAAW,0BAA0B;AACxD,cAAM,WAAW,WAAW,qBAAqB,IAAI,aAAa,uBAAuB,MAAM,IAAI;AAEnG,gBAAQ,IAAI,8BAAuB;AACnC,gBAAQ,IAAI,YAAY,KAAK,UAAU,GAAG,EAAE,CAAC,KAAK;AAClD,gBAAQ,IAAI,iBAAiB,SAAS,EAAE;AACxC,gBAAQ,IAAI,cAAc,aAAa,oBAAe,uBAAgB,EAAE;AAExE,YAAI,UAAU;AACZ,kBAAQ,IAAI,qBAAqB,SAAS,UAAU,GAAG,GAAG,CAAC,KAAK;AAAA,QAClE;AAEA,YAAI,QAAQ,YAAY,WAAW,uBAAuB,GAAG;AAC3D,kBAAQ,IAAI,gCAAyB;AACrC,gBAAM,gBAAgB,aAAa,yBAAyB,MAAM,EAC/D,MAAM,IAAI,EACV,OAAO,OAAO,EACd,IAAI,UAAQ,KAAK,MAAM,IAAI,CAAC;AAE/B,wBAAc,QAAQ,CAAC,MAAW;AAChC,kBAAM,WAAW;AACjB,kBAAM,SAAS,SAAS,YAAY,YAAY,WAAM;AACtD,oBAAQ,IAAI,QAAQ,SAAS,SAAS,KAAK,MAAM,IAAI,SAAS,OAAO,aAAa,SAAS,MAAM,SAAS;AAAA,UAC5G,CAAC;AAAA,QACH;AAAA,MAIF,SAAS,OAAgB;AACvB,eAAO,MAAM,8BAA8B,KAAc;AACzD,gBAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAAA,MAClE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,QAAQ,EAChB,YAAY,uCAAuC,EACnD,OAAO,sBAAsB,iCAAiC,EAC9D,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,gBAAgB,SAAS,YAAY;AACxD,UAAI;AACF,gBAAQ,IAAI,kCAA2B;AAEvC,cAAM,OAAO,IAAI,UAAU,EAAE,SAAS,UAAU,SAAS,KAAK,CAAC;AAE/D,YAAI,QAAQ,iBAAiB;AAC3B,kBAAQ,IAAI,sDAA+C;AAAA,QAC7D;AAEA,cAAM,KAAK,IAAI;AAAA,MAEjB,SAAS,OAAgB;AACvB,eAAO,MAAM,+BAA+B,KAAc;AAC1D,gBAAQ,MAAM,yBAAqB,MAAgB,OAAO;AAC1D,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,MAAM,EACd,YAAY,6BAA6B,EACzC,OAAO,mBAAmB,sCAAsC,EAChE,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,cAAc,SAAS,YAAY;AACtD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ,IAAI,mCAA8B;AAC1C;AAAA,QACF;AAEA,gBAAQ,IAAI,kCAA2B;AAEvC,YAAI,QAAQ,cAAc;AACxB,kBAAQ,IAAI,4DAAqD;AAAA,QACnE;AAGA,sBAAc,2BAA0B,oBAAI,KAAK,GAAE,YAAY,CAAC;AAChE,gBAAQ,IAAI,yBAAoB;AAAA,MAElC,SAAS,OAAgB;AACvB,eAAO,MAAM,6BAA6B,KAAc;AACxD,gBAAQ,MAAM,uBAAmB,MAAgB,OAAO;AAAA,MAC1D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,+BAA+B,EAC3C,OAAO,kBAAkB,wBAAwB,EACjD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AAEF,YAAI,CAAC,QAAQ,eAAe,WAAW,gBAAgB,GAAG;AACxD,gBAAM,EAAE,SAAS,IAAI,MAAM,OAAO,eAAe;AACjD,mBAAS,uBAAuB;AAAA,QAClC;AAGA,YAAI,WAAW,0BAA0B,GAAG;AAC1C,gBAAM,KAAK,MAAM,OAAO,IAAI;AAC5B,aAAG,WAAW,0BAA0B;AAAA,QAC1C;AAEA,gBAAQ,IAAI,wCAAiC;AAAA,MAE/C,SAAS,OAAgB;AACvB,eAAO,MAAM,mCAAmC,KAAc;AAC9D,gBAAQ,MAAM,0BAAsB,MAAgB,OAAO;AAAA,MAC7D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,wCAAwC,EACpD,OAAO,eAAe,4BAA4B,EAClD,OAAO,sBAAsB,yBAAyB,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AACF,gBAAQ,IAAI,yCAAkC;AAE9C,YAAI,QAAQ,WAAW;AACrB,kBAAQ,IAAI,uDAAgD;AAAA,QAC9D;AAEA,YAAI,QAAQ,iBAAiB;AAC3B,kBAAQ,IAAI,qDAA8C;AAAA,QAC5D;AAGA,YAAI,WAAW,QAAQ,GAAG;AACxB,kBAAQ,IAAI,wCAAiC;AAC7C,gBAAM,EAAE,SAAS,IAAI,MAAM,OAAO,eAAe;AACjD,cAAI;AACF,kBAAM,OAAO,SAAS,kCAAkC,EAAE,UAAU,OAAO,CAAC;AAC5E,oBAAQ,IAAI,IAAI;AAAA,UAClB,QAAQ;AACN,oBAAQ,IAAI,oCAAoC;AAAA,UAClD;AAAA,QACF;AAAA,MAEF,SAAS,OAAgB;AACvB,eAAO,MAAM,sBAAsB,KAAc;AACjD,gBAAQ,MAAM,wBAAoB,MAAgB,OAAO;AAAA,MAC3D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,sCAAsC,EAClD,SAAS,aAAa,qBAAqB,EAC3C,OAAO,qBAAqB,wEAAwE,kBAAkB,EACtH,OAAO,oBAAoB,4BAA4B,GAAG,EAC1D,OAAO,OAAO,SAAS,YAAY;AAClC,WAAO,MAAM,QAAQ,eAAe,EAAE,SAAS,GAAG,QAAQ,GAAG,YAAY;AACvE,UAAI;AACF,gBAAQ,IAAI,oCAA6B;AAEzC,cAAM,iBAAiB,WAAW;AAElC,cAAM,aAAa,QAAQ,OAAO,MAAM,GAAG,EAAE,IAAI,CAAC,MAAc,EAAE,KAAK,CAAC;AACxE,cAAM,aAAa,WAAW,IAAI,CAAC,UAAkB;AAAA,UACnD;AAAA,UACA,oBAAoB;AAAA,UACpB,0BAA0B,CAAC;AAAA,QAC7B,EAAE;AAEF,cAAM,UAAU,MAAM,iBAAiB,YAAY,SAAS,UAAU;AAEtE,gBAAQ,IAAI,kCAA6B,OAAO,EAAE;AAClD,gBAAQ,IAAI,aAAM,WAAW,MAAM,uBAAuB,OAAO,EAAE;AACnE,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ,IAAI,8DAA8D;AAC1E,gBAAQ,IAAI,0DAA0D;AAAA,MAExE,SAAS,OAAgB;AACvB,eAAO,MAAM,uBAAuB,KAAc;AAClD,gBAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAAA,MAClE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,aAAa,EACrB,YAAY,oDAAoD,EAChE,SAAS,iBAAiB,0BAA0B,EACpD,OAAO,yBAAyB,oCAAoC,EACpE,OAAO,mBAAmB,0BAA0B,GAAG,EACvD,OAAO,gBAAgB,4BAA4B,EACnD,OAAO,OAAO,aAAa,YAAY;AACtC,WAAO,MAAM,QAAQ,qBAAqB,EAAE,aAAa,GAAG,QAAQ,GAAG,YAAY;AACjF,UAAI;AACF,gBAAQ,IAAI,yCAAkC;AAE9C,cAAM,sBAAsB,WAAW;AAEvC,cAAM,WAAW,QAAQ,WACvB,QAAQ,SAAS,MAAM,GAAG,EAAE,IAAI,CAAC,MAAc,EAAE,KAAK,CAAC,IACvD,CAAC,+BAA+B,0BAA0B,YAAY;AAExE,cAAM,SAAS,MAAM,sBAAsB;AAAA,UACzC;AAAA,UACA;AAAA,UACA;AAAA,YACE,UAAU,SAAS,QAAQ,QAAQ;AAAA,YACnC,iBAAiB,QAAQ;AAAA,UAC3B;AAAA,QACF;AAEA,gBAAQ,IAAI,iCAA4B;AACxC,gBAAQ,IAAI,sBAAe,OAAO,eAAe,MAAM,gBAAgB,OAAO,YAAY,MAAM,SAAS;AACzG,gBAAQ,IAAI,iCAAuB,KAAK,MAAM,OAAO,gBAAgB,GAAI,CAAC,GAAG;AAE7E,YAAI,OAAO,SAAS,SAAS,GAAG;AAC9B,kBAAQ,IAAI,uBAAgB;AAC5B,iBAAO,SAAS,QAAQ,aAAW,QAAQ,IAAI,aAAQ,OAAO,EAAE,CAAC;AAAA,QACnE;AAAA,MAEF,SAAS,OAAgB;AACvB,eAAO,MAAM,wBAAwB,KAAc;AACnD,gBAAQ,MAAM,gCAA4B,MAAgB,OAAO;AAAA,MACnE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,qCAAqC,EACjD,OAAO,sBAAsB,uCAAuC,EACpE,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AACF,gBAAQ,IAAI,qDAA8C;AAE1D,cAAM,eAAe,WAAW;AAEhC,cAAM,WAAW,QAAQ,WACvB,MAAM,eAAe,iBAAiB,QAAQ,QAAQ,IACtD,MAAM,eAAe,wBAAwB;AAE/C,gBAAQ,IAAI,kBAAa,SAAS,MAAM,WAAW;AAEnD,YAAI,SAAS,SAAS,GAAG;AACvB,kBAAQ,IAAI,2BAAoB;AAChC,mBAAS,MAAM,GAAG,CAAC,EAAE,QAAQ,aAAW;AACtC,oBAAQ,IAAI,aAAQ,QAAQ,OAAO,KAAK,KAAK,MAAM,QAAQ,aAAa,GAAG,CAAC,eAAe;AAAA,UAC7F,CAAC;AAAA,QACH;AAAA,MAEF,SAAS,OAAgB;AACvB,eAAO,MAAM,2BAA2B,KAAc;AACtD,gBAAQ,MAAM,mCAA+B,MAAgB,OAAO;AAAA,MACtE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,gBAAgB,EACxB,YAAY,uCAAuC,EACnD,OAAO,kBAAkB,wBAAwB,EACjD,OAAO,qBAAqB,qCAAqC,EACjE,OAAO,cAAc,iCAAiC,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,wBAAwB,SAAS,YAAY;AAChE,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,KAAK,CAAC,QAAQ,QAAQ;AAC5C,kBAAQ,IAAI,mEAA8D;AAC1E;AAAA,QACF;AAEA,gBAAQ,IAAI,0CAAmC;AAE/C,cAAM,cAAc,WAAW;AAE/B,cAAM,SAAS,QAAQ,UAAU;AACjC,cAAM,eAAe,MAAM,cAAc,kBAAkB,QAAQ,QAAQ;AAE3E,YAAI,QAAQ,gBAAgB;AAC1B,gBAAM,SAAS,MAAM,cAAc,oBAAoB,MAAM;AAC7D,kBAAQ,IAAI,qCAA8B,OAAO,UAAU,EAAE;AAAA,QAC/D;AAEA,YAAI,QAAQ,UAAU;AACpB,gBAAM,eAAe,MAAM,cAAc,qBAAqB,MAAM;AACpE,kBAAQ,IAAI,qCAA8B,YAAY,EAAE;AAAA,QAC1D;AAEA,gBAAQ,IAAI,mCAA4B;AAAA,MAE1C,SAAS,OAAgB;AACvB,eAAO,MAAM,6BAA6B,KAAc;AACxD,gBAAQ,MAAM,wBAAoB,MAAgB,OAAO;AAAA,MAC3D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,KAAK,EACb,YAAY,sCAAsC,EAClD,OAAO,mBAAmB,2BAA2B,EACrD,OAAO,OAAO,YAAY;AACzB,QAAI;AACF,YAAM,EAAE,SAAS,IAAI,MAAM,OAAO,qCAAqC;AAEvE,YAAM,MAAM,IAAI,SAAS;AAGzB,YAAM,IAAI,WAAW,QAAW,QAAQ,OAAO;AAC/C,UAAI,MAAM;AAAA,IAEZ,SAAS,OAAgB;AACvB,aAAO,MAAM,qBAAqB,KAAc;AAChD,cAAQ,MAAM,sBAAkB,MAAgB,OAAO;AACvD,cAAQ,KAAK,CAAC;AAAA,IAChB;AAAA,EACF,CAAC;AAEH,SAAO;AACT;AAEA,IAAO,gBAAQ;",
4
+ "sourcesContent": ["/**\n * Ralph Wiggum Loop Commands\n * CLI interface for Ralph-StackMemory integration\n */\n\nimport { Command } from 'commander';\nimport { logger } from '../../core/monitoring/logger.js';\nimport { RalphLoop } from '../../../scripts/ralph-loop-implementation.js';\nimport { stackMemoryContextLoader } from '../../integrations/ralph/context/stackmemory-context-loader.js';\nimport { patternLearner } from '../../integrations/ralph/learning/pattern-learner.js';\nimport { multiLoopOrchestrator } from '../../integrations/ralph/orchestration/multi-loop-orchestrator.js';\nimport { swarmCoordinator } from '../../integrations/ralph/swarm/swarm-coordinator.js';\nimport { ralphDebugger } from '../../integrations/ralph/visualization/ralph-debugger.js';\nimport { existsSync, readFileSync, writeFileSync } from 'fs';\nimport { trace } from '../../core/trace/index.js';\n\nexport function createRalphCommand(): Command {\n const ralph = new Command('ralph').description(\n 'Ralph Wiggum Loop integration with StackMemory'\n );\n\n // Initialize a new Ralph loop\n ralph\n .command('init')\n .description('Initialize a new Ralph Wiggum loop')\n .argument('<task>', 'Task description')\n .option(\n '-c, --criteria <criteria>',\n 'Completion criteria (comma separated)'\n )\n .option('--max-iterations <n>', 'Maximum iterations', '50')\n .option('--use-context', 'Load relevant context from StackMemory')\n .option(\n '--learn-from-similar',\n 'Apply patterns from similar completed tasks'\n )\n .action(async (task, options) => {\n return trace.command('ralph-init', { task, ...options }, async () => {\n try {\n console.log('\uD83C\uDFAD Initializing Ralph Wiggum loop...');\n\n // Use basic Ralph loop for now (StackMemory integration requires DB setup)\n const loop = new RalphLoop({\n baseDir: '.ralph',\n maxIterations: parseInt(options.maxIterations),\n verbose: true,\n });\n\n // Parse criteria\n const criteria = options.criteria\n ? options.criteria\n .split(',')\n .map((c: string) => `- ${c.trim()}`)\n .join('\\n')\n : '- All tests pass\\n- Code works correctly\\n- No lint errors';\n\n // Load StackMemory context if requested\n let enhancedTask = task;\n\n if (options.useContext || options.learnFromSimilar) {\n try {\n await stackMemoryContextLoader.initialize();\n\n const contextResponse =\n await stackMemoryContextLoader.loadInitialContext({\n task,\n usePatterns: true,\n useSimilarTasks: options.learnFromSimilar,\n maxTokens: 3000,\n });\n\n if (contextResponse.context) {\n enhancedTask = `${task}\\n\\n${contextResponse.context}`;\n console.log(\n `\uD83D\uDCDA Loaded context from ${contextResponse.sources.length} sources`\n );\n console.log(\n `\uD83C\uDFAF Context tokens: ${contextResponse.metadata.totalTokens}`\n );\n }\n } catch (error: unknown) {\n console.log(\n `\u26A0\uFE0F Context loading failed: ${(error as Error).message}`\n );\n console.log('Proceeding without context...');\n }\n }\n\n await loop.initialize(enhancedTask, criteria);\n\n console.log('\u2705 Ralph loop initialized!');\n console.log(`\uD83D\uDCCB Task: ${task}`);\n console.log(`\uD83C\uDFAF Max iterations: ${options.maxIterations}`);\n console.log(`\uD83D\uDCC1 Loop directory: .ralph/`);\n console.log('\\nNext steps:');\n console.log(' stackmemory ralph run # Start the loop');\n console.log(' stackmemory ralph status # Check status');\n } catch (error: unknown) {\n logger.error('Failed to initialize Ralph loop', error as Error);\n console.error('\u274C Initialization failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Run the Ralph loop\n ralph\n .command('run')\n .description('Run the Ralph Wiggum loop')\n .option('--verbose', 'Verbose output')\n .option('--pause-on-error', 'Pause on validation errors')\n .action(async (options) => {\n return trace.command('ralph-run', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.error(\n '\u274C No Ralph loop found. Run \"stackmemory ralph init\" first.'\n );\n return;\n }\n\n console.log('\uD83C\uDFAD Starting Ralph Wiggum loop...');\n\n const loop = new RalphLoop({\n baseDir: '.ralph',\n verbose: options.verbose,\n });\n\n await loop.run();\n } catch (error: unknown) {\n logger.error('Failed to run Ralph loop', error as Error);\n console.error('\u274C Loop execution failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Show loop status\n ralph\n .command('status')\n .description('Show current Ralph loop status')\n .option('--detailed', 'Show detailed iteration history')\n .action(async (options) => {\n return trace.command('ralph-status', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.log('\u274C No Ralph loop found in current directory');\n return;\n }\n\n // Get basic status from files\n\n // Read status from files\n const task = readFileSync('.ralph/task.md', 'utf8');\n const iteration = parseInt(\n readFileSync('.ralph/iteration.txt', 'utf8') || '0'\n );\n const isComplete = existsSync('.ralph/work-complete.txt');\n const feedback = existsSync('.ralph/feedback.txt')\n ? readFileSync('.ralph/feedback.txt', 'utf8')\n : '';\n\n console.log('\uD83C\uDFAD Ralph Loop Status:');\n console.log(` Task: ${task.substring(0, 80)}...`);\n console.log(` Iteration: ${iteration}`);\n console.log(\n ` Status: ${isComplete ? '\u2705 COMPLETE' : '\uD83D\uDD04 IN PROGRESS'}`\n );\n\n if (feedback) {\n console.log(` Last feedback: ${feedback.substring(0, 100)}...`);\n }\n\n if (options.detailed && existsSync('.ralph/progress.jsonl')) {\n console.log('\\n\uD83D\uDCCA Iteration History:');\n const progressLines = readFileSync('.ralph/progress.jsonl', 'utf8')\n .split('\\n')\n .filter(Boolean)\n .map((line) => JSON.parse(line));\n\n progressLines.forEach((p: any) => {\n const progress = p as {\n iteration: number;\n validation?: { testsPass: boolean };\n changes: number;\n errors: number;\n };\n const status = progress.validation?.testsPass ? '\u2705' : '\u274C';\n console.log(\n ` ${progress.iteration}: ${status} ${progress.changes} changes, ${progress.errors} errors`\n );\n });\n }\n\n // TODO: Show StackMemory integration status when available\n } catch (error: unknown) {\n logger.error('Failed to get Ralph status', error as Error);\n console.error('\u274C Status check failed:', (error as Error).message);\n }\n });\n });\n\n // Resume a crashed or paused loop\n ralph\n .command('resume')\n .description('Resume a crashed or paused Ralph loop')\n .option('--from-stackmemory', 'Restore from StackMemory backup')\n .action(async (options) => {\n return trace.command('ralph-resume', options, async () => {\n try {\n console.log('\uD83D\uDD04 Resuming Ralph loop...');\n\n const loop = new RalphLoop({ baseDir: '.ralph', verbose: true });\n\n if (options.fromStackmemory) {\n console.log('\uD83D\uDCDA StackMemory restore feature coming soon...');\n }\n\n await loop.run(); // Resume by continuing the loop\n } catch (error: unknown) {\n logger.error('Failed to resume Ralph loop', error as Error);\n console.error('\u274C Resume failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\n // Stop the current loop\n ralph\n .command('stop')\n .description('Stop the current Ralph loop')\n .option('--save-progress', 'Save current progress to StackMemory')\n .action(async (options) => {\n return trace.command('ralph-stop', options, async () => {\n try {\n if (!existsSync('.ralph')) {\n console.log('\u274C No active Ralph loop found');\n return;\n }\n\n console.log('\uD83D\uDED1 Stopping Ralph loop...');\n\n if (options.saveProgress) {\n console.log('\uD83D\uDCBE StackMemory progress save feature coming soon...');\n }\n\n // Create stop signal file\n writeFileSync('.ralph/stop-signal.txt', new Date().toISOString());\n console.log('\u2705 Stop signal sent');\n } catch (error: unknown) {\n logger.error('Failed to stop Ralph loop', error as Error);\n console.error('\u274C Stop failed:', (error as Error).message);\n }\n });\n });\n\n // Clean up loop artifacts\n ralph\n .command('clean')\n .description('Clean up Ralph loop artifacts')\n .option('--keep-history', 'Keep iteration history')\n .action(async (options) => {\n return trace.command('ralph-clean', options, async () => {\n try {\n // Clean up Ralph directory\n if (!options.keepHistory && existsSync('.ralph/history')) {\n const { execSync } = await import('child_process');\n execSync('rm -rf .ralph/history');\n }\n\n // Remove working files but keep task definition\n if (existsSync('.ralph/work-complete.txt')) {\n const fs = await import('fs');\n fs.unlinkSync('.ralph/work-complete.txt');\n }\n\n console.log('\uD83E\uDDF9 Ralph loop artifacts cleaned');\n } catch (error: unknown) {\n logger.error('Failed to clean Ralph artifacts', error as Error);\n console.error('\u274C Cleanup failed:', (error as Error).message);\n }\n });\n });\n\n // Debug and diagnostics\n ralph\n .command('debug')\n .description('Debug Ralph loop state and diagnostics')\n .option('--reconcile', 'Force state reconciliation')\n .option('--validate-context', 'Validate context budget')\n .action(async (options) => {\n return trace.command('ralph-debug', options, async () => {\n try {\n console.log('\uD83D\uDD0D Ralph Loop Debug Information:');\n\n if (options.reconcile) {\n console.log('\uD83D\uDD27 State reconciliation feature coming soon...');\n }\n\n if (options.validateContext) {\n console.log('\uD83D\uDCCA Context validation feature coming soon...');\n }\n\n // Show file structure\n if (existsSync('.ralph')) {\n console.log('\\n\uD83D\uDCC1 Ralph directory structure:');\n const { execSync } = await import('child_process');\n try {\n const tree = execSync('find .ralph -type f | head -20', {\n encoding: 'utf8',\n });\n console.log(tree);\n } catch {\n console.log(' (Unable to show directory tree)');\n }\n }\n } catch (error: unknown) {\n logger.error('Ralph debug failed', error as Error);\n console.error('\u274C Debug failed:', (error as Error).message);\n }\n });\n });\n\n // Swarm coordination commands\n ralph\n .command('swarm')\n .description('Launch a swarm of specialized agents')\n .argument('<project>', 'Project description')\n .option(\n '--agents <agents>',\n 'Comma-separated list of agent roles (architect,developer,tester,etc)',\n 'developer,tester'\n )\n .option('--max-agents <n>', 'Maximum number of agents', '5')\n .action(async (project, options) => {\n return trace.command('ralph-swarm', { project, ...options }, async () => {\n try {\n console.log('\uD83E\uDDBE Launching Ralph swarm...');\n\n await swarmCoordinator.initialize();\n\n const agentRoles = options.agents\n .split(',')\n .map((r: string) => r.trim());\n const agentSpecs = agentRoles.map((role: string) => ({\n role: role as any,\n conflictResolution: 'defer_to_expertise',\n collaborationPreferences: [],\n }));\n\n const swarmId = await swarmCoordinator.launchSwarm(\n project,\n agentSpecs\n );\n\n console.log(`\u2705 Swarm launched with ID: ${swarmId}`);\n console.log(`\uD83D\uDC65 ${agentSpecs.length} agents working on: ${project}`);\n console.log('\\nNext steps:');\n console.log(\n ' stackmemory ralph swarm-status <swarmId> # Check progress'\n );\n console.log(\n ' stackmemory ralph swarm-stop <swarmId> # Stop swarm'\n );\n } catch (error: unknown) {\n logger.error('Swarm launch failed', error as Error);\n console.error('\u274C Swarm launch failed:', (error as Error).message);\n }\n });\n });\n\n // Multi-loop orchestration for complex tasks\n ralph\n .command('orchestrate')\n .description('Orchestrate multiple Ralph loops for complex tasks')\n .argument('<description>', 'Complex task description')\n .option('--criteria <criteria>', 'Success criteria (comma separated)')\n .option('--max-loops <n>', 'Maximum parallel loops', '3')\n .option('--sequential', 'Force sequential execution')\n .action(async (description, options) => {\n return trace.command(\n 'ralph-orchestrate',\n { description, ...options },\n async () => {\n try {\n console.log('\uD83C\uDFAD Orchestrating complex task...');\n\n await multiLoopOrchestrator.initialize();\n\n const criteria = options.criteria\n ? options.criteria.split(',').map((c: string) => c.trim())\n : [\n 'Task completed successfully',\n 'All components working',\n 'Tests pass',\n ];\n\n const result = await multiLoopOrchestrator.orchestrateComplexTask(\n description,\n criteria,\n {\n maxLoops: parseInt(options.maxLoops),\n forceSequential: options.sequential,\n }\n );\n\n console.log('\u2705 Orchestration completed!');\n console.log(\n `\uD83D\uDCCA Results: ${result.completedLoops.length} successful, ${result.failedLoops.length} failed`\n );\n console.log(\n `\u23F1\uFE0F Total duration: ${Math.round(result.totalDuration / 1000)}s`\n );\n\n if (result.insights.length > 0) {\n console.log('\\n\uD83D\uDCA1 Insights:');\n result.insights.forEach((insight) =>\n console.log(` \u2022 ${insight}`)\n );\n }\n } catch (error: unknown) {\n logger.error('Orchestration failed', error as Error);\n console.error('\u274C Orchestration failed:', (error as Error).message);\n }\n }\n );\n });\n\n // Pattern learning command\n ralph\n .command('learn')\n .description('Learn patterns from completed loops')\n .option('--task-type <type>', 'Learn patterns for specific task type')\n .action(async (options) => {\n return trace.command('ralph-learn', options, async () => {\n try {\n console.log('\uD83E\uDDE0 Learning patterns from completed loops...');\n\n await patternLearner.initialize();\n\n const patterns = options.taskType\n ? await patternLearner.learnForTaskType(options.taskType)\n : await patternLearner.learnFromCompletedLoops();\n\n console.log(`\u2705 Learned ${patterns.length} patterns`);\n\n if (patterns.length > 0) {\n console.log('\\n\uD83D\uDCCA Top patterns:');\n patterns.slice(0, 5).forEach((pattern) => {\n console.log(\n ` \u2022 ${pattern.pattern} (${Math.round(pattern.confidence * 100)}% confidence)`\n );\n });\n }\n } catch (error: unknown) {\n logger.error('Pattern learning failed', error as Error);\n console.error(\n '\u274C Pattern learning failed:',\n (error as Error).message\n );\n }\n });\n });\n\n // Enhanced debug command with visualization\n ralph\n .command('debug-enhanced')\n .description('Advanced debugging with visualization')\n .option('--loop-id <id>', 'Specific loop to debug')\n .option('--generate-report', 'Generate comprehensive debug report')\n .option('--timeline', 'Generate timeline visualization')\n .action(async (options) => {\n return trace.command('ralph-debug-enhanced', options, async () => {\n try {\n if (!existsSync('.ralph') && !options.loopId) {\n console.log(\n '\u274C No Ralph loop found. Run a loop first or specify --loop-id'\n );\n return;\n }\n\n console.log('\uD83D\uDD0D Starting enhanced debugging...');\n\n await ralphDebugger.initialize();\n\n const loopId = options.loopId || 'current';\n await ralphDebugger.startDebugSession(loopId, '.ralph');\n\n if (options.generateReport) {\n const report = await ralphDebugger.generateDebugReport(loopId);\n console.log(`\uD83D\uDCCB Debug report generated: ${report.exportPath}`);\n }\n\n if (options.timeline) {\n const timelinePath =\n await ralphDebugger.generateLoopTimeline(loopId);\n console.log(`\uD83D\uDCCA Timeline visualization: ${timelinePath}`);\n }\n\n console.log('\uD83D\uDD0D Debug analysis complete');\n } catch (error: unknown) {\n logger.error('Enhanced debugging failed', error as Error);\n console.error('\u274C Debug failed:', (error as Error).message);\n }\n });\n });\n\n // TUI command for real-time monitoring\n ralph\n .command('tui')\n .description('Launch TUI monitor for active swarms')\n .option('--swarm-id <id>', 'Monitor specific swarm ID')\n .option('--simple', 'Use simple text mode instead of full TUI')\n .option('--force-tui', 'Force full TUI even with compatibility issues')\n .action(async (options) => {\n try {\n // Detect terminal compatibility\n const isGhostty =\n process.env.TERM_PROGRAM === 'ghostty' ||\n process.env.TERM?.includes('ghostty');\n const isBasicTerm =\n process.env.TERM === 'dumb' || process.env.TERM === 'unknown';\n const hasCompatibilityIssues = isGhostty || isBasicTerm;\n\n // Default behavior: use simple mode for problematic terminals unless forced\n const useSimpleMode =\n options.simple || (hasCompatibilityIssues && !options.forceTui);\n\n if (useSimpleMode) {\n console.log('\uD83E\uDDBE Starting Simple Swarm Monitor (Text Mode)');\n if (hasCompatibilityIssues && !options.simple) {\n console.log(\n `\u26A0\uFE0F Detected ${isGhostty ? 'Ghostty' : 'basic'} terminal - using text mode for compatibility`\n );\n console.log(\n ' Use --force-tui to override, or --simple to explicitly use text mode'\n );\n }\n\n const { SimpleSwarmMonitor } =\n await import('../../features/tui/simple-monitor.js');\n const monitor = new SimpleSwarmMonitor();\n monitor.start();\n } else {\n console.log('\uD83E\uDDBE Starting Full TUI Monitor');\n const { SwarmTUI } =\n await import('../../features/tui/swarm-monitor.js');\n\n const tui = new SwarmTUI();\n\n // Initialize with optional swarm ID\n await tui.initialize(undefined, options.swarmId);\n tui.start();\n }\n } catch (error: unknown) {\n logger.error('TUI launch failed', error as Error);\n console.error('\u274C TUI failed:', (error as Error).message);\n console.log('\uD83D\uDCA1 Try: stackmemory ralph tui --simple');\n process.exit(1);\n }\n });\n\n return ralph;\n}\n\nexport default createRalphCommand;\n"],
5
+ "mappings": "AAKA,SAAS,eAAe;AACxB,SAAS,cAAc;AACvB,SAAS,iBAAiB;AAC1B,SAAS,gCAAgC;AACzC,SAAS,sBAAsB;AAC/B,SAAS,6BAA6B;AACtC,SAAS,wBAAwB;AACjC,SAAS,qBAAqB;AAC9B,SAAS,YAAY,cAAc,qBAAqB;AACxD,SAAS,aAAa;AAEf,SAAS,qBAA8B;AAC5C,QAAM,QAAQ,IAAI,QAAQ,OAAO,EAAE;AAAA,IACjC;AAAA,EACF;AAGA,QACG,QAAQ,MAAM,EACd,YAAY,oCAAoC,EAChD,SAAS,UAAU,kBAAkB,EACrC;AAAA,IACC;AAAA,IACA;AAAA,EACF,EACC,OAAO,wBAAwB,sBAAsB,IAAI,EACzD,OAAO,iBAAiB,wCAAwC,EAChE;AAAA,IACC;AAAA,IACA;AAAA,EACF,EACC,OAAO,OAAO,MAAM,YAAY;AAC/B,WAAO,MAAM,QAAQ,cAAc,EAAE,MAAM,GAAG,QAAQ,GAAG,YAAY;AACnE,UAAI;AACF,gBAAQ,IAAI,6CAAsC;AAGlD,cAAM,OAAO,IAAI,UAAU;AAAA,UACzB,SAAS;AAAA,UACT,eAAe,SAAS,QAAQ,aAAa;AAAA,UAC7C,SAAS;AAAA,QACX,CAAC;AAGD,cAAM,WAAW,QAAQ,WACrB,QAAQ,SACL,MAAM,GAAG,EACT,IAAI,CAAC,MAAc,KAAK,EAAE,KAAK,CAAC,EAAE,EAClC,KAAK,IAAI,IACZ;AAGJ,YAAI,eAAe;AAEnB,YAAI,QAAQ,cAAc,QAAQ,kBAAkB;AAClD,cAAI;AACF,kBAAM,yBAAyB,WAAW;AAE1C,kBAAM,kBACJ,MAAM,yBAAyB,mBAAmB;AAAA,cAChD;AAAA,cACA,aAAa;AAAA,cACb,iBAAiB,QAAQ;AAAA,cACzB,WAAW;AAAA,YACb,CAAC;AAEH,gBAAI,gBAAgB,SAAS;AAC3B,6BAAe,GAAG,IAAI;AAAA;AAAA,EAAO,gBAAgB,OAAO;AACpD,sBAAQ;AAAA,gBACN,iCAA0B,gBAAgB,QAAQ,MAAM;AAAA,cAC1D;AACA,sBAAQ;AAAA,gBACN,6BAAsB,gBAAgB,SAAS,WAAW;AAAA,cAC5D;AAAA,YACF;AAAA,UACF,SAAS,OAAgB;AACvB,oBAAQ;AAAA,cACN,yCAAgC,MAAgB,OAAO;AAAA,YACzD;AACA,oBAAQ,IAAI,+BAA+B;AAAA,UAC7C;AAAA,QACF;AAEA,cAAM,KAAK,WAAW,cAAc,QAAQ;AAE5C,gBAAQ,IAAI,gCAA2B;AACvC,gBAAQ,IAAI,mBAAY,IAAI,EAAE;AAC9B,gBAAQ,IAAI,6BAAsB,QAAQ,aAAa,EAAE;AACzD,gBAAQ,IAAI,mCAA4B;AACxC,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ,IAAI,8CAA8C;AAC1D,gBAAQ,IAAI,4CAA4C;AAAA,MAC1D,SAAS,OAAgB;AACvB,eAAO,MAAM,mCAAmC,KAAc;AAC9D,gBAAQ,MAAM,iCAA6B,MAAgB,OAAO;AAClE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,KAAK,EACb,YAAY,2BAA2B,EACvC,OAAO,aAAa,gBAAgB,EACpC,OAAO,oBAAoB,4BAA4B,EACvD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,aAAa,SAAS,YAAY;AACrD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ;AAAA,YACN;AAAA,UACF;AACA;AAAA,QACF;AAEA,gBAAQ,IAAI,yCAAkC;AAE9C,cAAM,OAAO,IAAI,UAAU;AAAA,UACzB,SAAS;AAAA,UACT,SAAS,QAAQ;AAAA,QACnB,CAAC;AAED,cAAM,KAAK,IAAI;AAAA,MACjB,SAAS,OAAgB;AACvB,eAAO,MAAM,4BAA4B,KAAc;AACvD,gBAAQ,MAAM,iCAA6B,MAAgB,OAAO;AAClE,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,QAAQ,EAChB,YAAY,gCAAgC,EAC5C,OAAO,cAAc,iCAAiC,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,gBAAgB,SAAS,YAAY;AACxD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ,IAAI,iDAA4C;AACxD;AAAA,QACF;AAKA,cAAM,OAAO,aAAa,kBAAkB,MAAM;AAClD,cAAM,YAAY;AAAA,UAChB,aAAa,wBAAwB,MAAM,KAAK;AAAA,QAClD;AACA,cAAM,aAAa,WAAW,0BAA0B;AACxD,cAAM,WAAW,WAAW,qBAAqB,IAC7C,aAAa,uBAAuB,MAAM,IAC1C;AAEJ,gBAAQ,IAAI,8BAAuB;AACnC,gBAAQ,IAAI,YAAY,KAAK,UAAU,GAAG,EAAE,CAAC,KAAK;AAClD,gBAAQ,IAAI,iBAAiB,SAAS,EAAE;AACxC,gBAAQ;AAAA,UACN,cAAc,aAAa,oBAAe,uBAAgB;AAAA,QAC5D;AAEA,YAAI,UAAU;AACZ,kBAAQ,IAAI,qBAAqB,SAAS,UAAU,GAAG,GAAG,CAAC,KAAK;AAAA,QAClE;AAEA,YAAI,QAAQ,YAAY,WAAW,uBAAuB,GAAG;AAC3D,kBAAQ,IAAI,gCAAyB;AACrC,gBAAM,gBAAgB,aAAa,yBAAyB,MAAM,EAC/D,MAAM,IAAI,EACV,OAAO,OAAO,EACd,IAAI,CAAC,SAAS,KAAK,MAAM,IAAI,CAAC;AAEjC,wBAAc,QAAQ,CAAC,MAAW;AAChC,kBAAM,WAAW;AAMjB,kBAAM,SAAS,SAAS,YAAY,YAAY,WAAM;AACtD,oBAAQ;AAAA,cACN,QAAQ,SAAS,SAAS,KAAK,MAAM,IAAI,SAAS,OAAO,aAAa,SAAS,MAAM;AAAA,YACvF;AAAA,UACF,CAAC;AAAA,QACH;AAAA,MAGF,SAAS,OAAgB;AACvB,eAAO,MAAM,8BAA8B,KAAc;AACzD,gBAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAAA,MAClE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,QAAQ,EAChB,YAAY,uCAAuC,EACnD,OAAO,sBAAsB,iCAAiC,EAC9D,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,gBAAgB,SAAS,YAAY;AACxD,UAAI;AACF,gBAAQ,IAAI,kCAA2B;AAEvC,cAAM,OAAO,IAAI,UAAU,EAAE,SAAS,UAAU,SAAS,KAAK,CAAC;AAE/D,YAAI,QAAQ,iBAAiB;AAC3B,kBAAQ,IAAI,sDAA+C;AAAA,QAC7D;AAEA,cAAM,KAAK,IAAI;AAAA,MACjB,SAAS,OAAgB;AACvB,eAAO,MAAM,+BAA+B,KAAc;AAC1D,gBAAQ,MAAM,yBAAqB,MAAgB,OAAO;AAC1D,gBAAQ,KAAK,CAAC;AAAA,MAChB;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,MAAM,EACd,YAAY,6BAA6B,EACzC,OAAO,mBAAmB,sCAAsC,EAChE,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,cAAc,SAAS,YAAY;AACtD,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,GAAG;AACzB,kBAAQ,IAAI,mCAA8B;AAC1C;AAAA,QACF;AAEA,gBAAQ,IAAI,kCAA2B;AAEvC,YAAI,QAAQ,cAAc;AACxB,kBAAQ,IAAI,4DAAqD;AAAA,QACnE;AAGA,sBAAc,2BAA0B,oBAAI,KAAK,GAAE,YAAY,CAAC;AAChE,gBAAQ,IAAI,yBAAoB;AAAA,MAClC,SAAS,OAAgB;AACvB,eAAO,MAAM,6BAA6B,KAAc;AACxD,gBAAQ,MAAM,uBAAmB,MAAgB,OAAO;AAAA,MAC1D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,+BAA+B,EAC3C,OAAO,kBAAkB,wBAAwB,EACjD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AAEF,YAAI,CAAC,QAAQ,eAAe,WAAW,gBAAgB,GAAG;AACxD,gBAAM,EAAE,SAAS,IAAI,MAAM,OAAO,eAAe;AACjD,mBAAS,uBAAuB;AAAA,QAClC;AAGA,YAAI,WAAW,0BAA0B,GAAG;AAC1C,gBAAM,KAAK,MAAM,OAAO,IAAI;AAC5B,aAAG,WAAW,0BAA0B;AAAA,QAC1C;AAEA,gBAAQ,IAAI,wCAAiC;AAAA,MAC/C,SAAS,OAAgB;AACvB,eAAO,MAAM,mCAAmC,KAAc;AAC9D,gBAAQ,MAAM,0BAAsB,MAAgB,OAAO;AAAA,MAC7D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,wCAAwC,EACpD,OAAO,eAAe,4BAA4B,EAClD,OAAO,sBAAsB,yBAAyB,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AACF,gBAAQ,IAAI,yCAAkC;AAE9C,YAAI,QAAQ,WAAW;AACrB,kBAAQ,IAAI,uDAAgD;AAAA,QAC9D;AAEA,YAAI,QAAQ,iBAAiB;AAC3B,kBAAQ,IAAI,qDAA8C;AAAA,QAC5D;AAGA,YAAI,WAAW,QAAQ,GAAG;AACxB,kBAAQ,IAAI,wCAAiC;AAC7C,gBAAM,EAAE,SAAS,IAAI,MAAM,OAAO,eAAe;AACjD,cAAI;AACF,kBAAM,OAAO,SAAS,kCAAkC;AAAA,cACtD,UAAU;AAAA,YACZ,CAAC;AACD,oBAAQ,IAAI,IAAI;AAAA,UAClB,QAAQ;AACN,oBAAQ,IAAI,oCAAoC;AAAA,UAClD;AAAA,QACF;AAAA,MACF,SAAS,OAAgB;AACvB,eAAO,MAAM,sBAAsB,KAAc;AACjD,gBAAQ,MAAM,wBAAoB,MAAgB,OAAO;AAAA,MAC3D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,sCAAsC,EAClD,SAAS,aAAa,qBAAqB,EAC3C;AAAA,IACC;AAAA,IACA;AAAA,IACA;AAAA,EACF,EACC,OAAO,oBAAoB,4BAA4B,GAAG,EAC1D,OAAO,OAAO,SAAS,YAAY;AAClC,WAAO,MAAM,QAAQ,eAAe,EAAE,SAAS,GAAG,QAAQ,GAAG,YAAY;AACvE,UAAI;AACF,gBAAQ,IAAI,oCAA6B;AAEzC,cAAM,iBAAiB,WAAW;AAElC,cAAM,aAAa,QAAQ,OACxB,MAAM,GAAG,EACT,IAAI,CAAC,MAAc,EAAE,KAAK,CAAC;AAC9B,cAAM,aAAa,WAAW,IAAI,CAAC,UAAkB;AAAA,UACnD;AAAA,UACA,oBAAoB;AAAA,UACpB,0BAA0B,CAAC;AAAA,QAC7B,EAAE;AAEF,cAAM,UAAU,MAAM,iBAAiB;AAAA,UACrC;AAAA,UACA;AAAA,QACF;AAEA,gBAAQ,IAAI,kCAA6B,OAAO,EAAE;AAClD,gBAAQ,IAAI,aAAM,WAAW,MAAM,uBAAuB,OAAO,EAAE;AACnE,gBAAQ,IAAI,eAAe;AAC3B,gBAAQ;AAAA,UACN;AAAA,QACF;AACA,gBAAQ;AAAA,UACN;AAAA,QACF;AAAA,MACF,SAAS,OAAgB;AACvB,eAAO,MAAM,uBAAuB,KAAc;AAClD,gBAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAAA,MAClE;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,aAAa,EACrB,YAAY,oDAAoD,EAChE,SAAS,iBAAiB,0BAA0B,EACpD,OAAO,yBAAyB,oCAAoC,EACpE,OAAO,mBAAmB,0BAA0B,GAAG,EACvD,OAAO,gBAAgB,4BAA4B,EACnD,OAAO,OAAO,aAAa,YAAY;AACtC,WAAO,MAAM;AAAA,MACX;AAAA,MACA,EAAE,aAAa,GAAG,QAAQ;AAAA,MAC1B,YAAY;AACV,YAAI;AACF,kBAAQ,IAAI,yCAAkC;AAE9C,gBAAM,sBAAsB,WAAW;AAEvC,gBAAM,WAAW,QAAQ,WACrB,QAAQ,SAAS,MAAM,GAAG,EAAE,IAAI,CAAC,MAAc,EAAE,KAAK,CAAC,IACvD;AAAA,YACE;AAAA,YACA;AAAA,YACA;AAAA,UACF;AAEJ,gBAAM,SAAS,MAAM,sBAAsB;AAAA,YACzC;AAAA,YACA;AAAA,YACA;AAAA,cACE,UAAU,SAAS,QAAQ,QAAQ;AAAA,cACnC,iBAAiB,QAAQ;AAAA,YAC3B;AAAA,UACF;AAEA,kBAAQ,IAAI,iCAA4B;AACxC,kBAAQ;AAAA,YACN,sBAAe,OAAO,eAAe,MAAM,gBAAgB,OAAO,YAAY,MAAM;AAAA,UACtF;AACA,kBAAQ;AAAA,YACN,iCAAuB,KAAK,MAAM,OAAO,gBAAgB,GAAI,CAAC;AAAA,UAChE;AAEA,cAAI,OAAO,SAAS,SAAS,GAAG;AAC9B,oBAAQ,IAAI,uBAAgB;AAC5B,mBAAO,SAAS;AAAA,cAAQ,CAAC,YACvB,QAAQ,IAAI,aAAQ,OAAO,EAAE;AAAA,YAC/B;AAAA,UACF;AAAA,QACF,SAAS,OAAgB;AACvB,iBAAO,MAAM,wBAAwB,KAAc;AACnD,kBAAQ,MAAM,gCAA4B,MAAgB,OAAO;AAAA,QACnE;AAAA,MACF;AAAA,IACF;AAAA,EACF,CAAC;AAGH,QACG,QAAQ,OAAO,EACf,YAAY,qCAAqC,EACjD,OAAO,sBAAsB,uCAAuC,EACpE,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,eAAe,SAAS,YAAY;AACvD,UAAI;AACF,gBAAQ,IAAI,qDAA8C;AAE1D,cAAM,eAAe,WAAW;AAEhC,cAAM,WAAW,QAAQ,WACrB,MAAM,eAAe,iBAAiB,QAAQ,QAAQ,IACtD,MAAM,eAAe,wBAAwB;AAEjD,gBAAQ,IAAI,kBAAa,SAAS,MAAM,WAAW;AAEnD,YAAI,SAAS,SAAS,GAAG;AACvB,kBAAQ,IAAI,2BAAoB;AAChC,mBAAS,MAAM,GAAG,CAAC,EAAE,QAAQ,CAAC,YAAY;AACxC,oBAAQ;AAAA,cACN,aAAQ,QAAQ,OAAO,KAAK,KAAK,MAAM,QAAQ,aAAa,GAAG,CAAC;AAAA,YAClE;AAAA,UACF,CAAC;AAAA,QACH;AAAA,MACF,SAAS,OAAgB;AACvB,eAAO,MAAM,2BAA2B,KAAc;AACtD,gBAAQ;AAAA,UACN;AAAA,UACC,MAAgB;AAAA,QACnB;AAAA,MACF;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,gBAAgB,EACxB,YAAY,uCAAuC,EACnD,OAAO,kBAAkB,wBAAwB,EACjD,OAAO,qBAAqB,qCAAqC,EACjE,OAAO,cAAc,iCAAiC,EACtD,OAAO,OAAO,YAAY;AACzB,WAAO,MAAM,QAAQ,wBAAwB,SAAS,YAAY;AAChE,UAAI;AACF,YAAI,CAAC,WAAW,QAAQ,KAAK,CAAC,QAAQ,QAAQ;AAC5C,kBAAQ;AAAA,YACN;AAAA,UACF;AACA;AAAA,QACF;AAEA,gBAAQ,IAAI,0CAAmC;AAE/C,cAAM,cAAc,WAAW;AAE/B,cAAM,SAAS,QAAQ,UAAU;AACjC,cAAM,cAAc,kBAAkB,QAAQ,QAAQ;AAEtD,YAAI,QAAQ,gBAAgB;AAC1B,gBAAM,SAAS,MAAM,cAAc,oBAAoB,MAAM;AAC7D,kBAAQ,IAAI,qCAA8B,OAAO,UAAU,EAAE;AAAA,QAC/D;AAEA,YAAI,QAAQ,UAAU;AACpB,gBAAM,eACJ,MAAM,cAAc,qBAAqB,MAAM;AACjD,kBAAQ,IAAI,qCAA8B,YAAY,EAAE;AAAA,QAC1D;AAEA,gBAAQ,IAAI,mCAA4B;AAAA,MAC1C,SAAS,OAAgB;AACvB,eAAO,MAAM,6BAA6B,KAAc;AACxD,gBAAQ,MAAM,wBAAoB,MAAgB,OAAO;AAAA,MAC3D;AAAA,IACF,CAAC;AAAA,EACH,CAAC;AAGH,QACG,QAAQ,KAAK,EACb,YAAY,sCAAsC,EAClD,OAAO,mBAAmB,2BAA2B,EACrD,OAAO,YAAY,0CAA0C,EAC7D,OAAO,eAAe,+CAA+C,EACrE,OAAO,OAAO,YAAY;AACzB,QAAI;AAEF,YAAM,YACJ,QAAQ,IAAI,iBAAiB,aAC7B,QAAQ,IAAI,MAAM,SAAS,SAAS;AACtC,YAAM,cACJ,QAAQ,IAAI,SAAS,UAAU,QAAQ,IAAI,SAAS;AACtD,YAAM,yBAAyB,aAAa;AAG5C,YAAM,gBACJ,QAAQ,UAAW,0BAA0B,CAAC,QAAQ;AAExD,UAAI,eAAe;AACjB,gBAAQ,IAAI,qDAA8C;AAC1D,YAAI,0BAA0B,CAAC,QAAQ,QAAQ;AAC7C,kBAAQ;AAAA,YACN,0BAAgB,YAAY,YAAY,OAAO;AAAA,UACjD;AACA,kBAAQ;AAAA,YACN;AAAA,UACF;AAAA,QACF;AAEA,cAAM,EAAE,mBAAmB,IACzB,MAAM,OAAO,sCAAsC;AACrD,cAAM,UAAU,IAAI,mBAAmB;AACvC,gBAAQ,MAAM;AAAA,MAChB,OAAO;AACL,gBAAQ,IAAI,qCAA8B;AAC1C,cAAM,EAAE,SAAS,IACf,MAAM,OAAO,qCAAqC;AAEpD,cAAM,MAAM,IAAI,SAAS;AAGzB,cAAM,IAAI,WAAW,QAAW,QAAQ,OAAO;AAC/C,YAAI,MAAM;AAAA,MACZ;AAAA,IACF,SAAS,OAAgB;AACvB,aAAO,MAAM,qBAAqB,KAAc;AAChD,cAAQ,MAAM,sBAAkB,MAAgB,OAAO;AACvD,cAAQ,IAAI,+CAAwC;AACpD,cAAQ,KAAK,CAAC;AAAA,IAChB;AAAA,EACF,CAAC;AAEH,SAAO;AACT;AAEA,IAAO,gBAAQ;",
6
6
  "names": []
7
7
  }
package/dist/cli/index.js CHANGED
@@ -36,7 +36,7 @@ import { ProjectManager } from "../core/projects/project-manager.js";
36
36
  import Database from "better-sqlite3";
37
37
  import { join } from "path";
38
38
  import { existsSync, mkdirSync } from "fs";
39
- const VERSION = "0.3.21";
39
+ const VERSION = "0.4.2";
40
40
  UpdateChecker.checkForUpdates(VERSION, true).catch(() => {
41
41
  });
42
42
  program.name("stackmemory").description(
@@ -1,7 +1,7 @@
1
1
  {
2
2
  "version": 3,
3
3
  "sources": ["../../src/cli/index.ts"],
4
- "sourcesContent": ["#!/usr/bin/env node\n/**\n * StackMemory CLI\n * Command-line interface for StackMemory operations\n */\n\n// Set environment flag for CLI usage to skip async context bridge\nprocess.env['STACKMEMORY_CLI'] = 'true';\n\n// Load environment variables\nimport 'dotenv/config';\n\n// Initialize tracing system early\nimport { initializeTracing, trace } from '../core/trace/index.js';\ninitializeTracing();\n\nimport { program } from 'commander';\nimport { logger } from '../core/monitoring/logger.js';\nimport { FrameManager } from '../core/context/frame-manager.js';\nimport { sessionManager, FrameQueryMode } from '../core/session/index.js';\nimport { sharedContextLayer } from '../core/context/shared-context-layer.js';\nimport { UpdateChecker } from '../core/utils/update-checker.js';\nimport { ProgressTracker } from '../core/monitoring/progress-tracker.js';\nimport { registerProjectCommands } from './commands/projects.js';\nimport { registerLinearCommands } from './commands/linear.js';\nimport { createSessionCommands } from './commands/session.js';\nimport { registerWorktreeCommands } from './commands/worktree.js';\nimport { registerOnboardingCommand } from './commands/onboard.js';\nimport { createTaskCommands } from './commands/tasks.js';\nimport { createSearchCommand } from './commands/search.js';\nimport { createLogCommand } from './commands/log.js';\nimport { createContextCommands } from './commands/context.js';\nimport { createConfigCommand } from './commands/config.js';\nimport { createHandoffCommand } from './commands/handoff.js';\nimport { createStorageCommand } from './commands/storage.js';\nimport { createSkillsCommand } from './commands/skills.js';\nimport { createTestCommand } from './commands/test.js';\nimport clearCommand from './commands/clear.js';\nimport createWorkflowCommand from './commands/workflow.js';\nimport monitorCommand from './commands/monitor.js';\nimport qualityCommand from './commands/quality.js';\nimport createRalphCommand from './commands/ralph.js';\nimport { registerLoginCommand } from './commands/login.js';\nimport { registerSignupCommand } from './commands/signup.js';\nimport { registerLogoutCommand, registerDbCommands } from './commands/db.js';\nimport { ProjectManager } from '../core/projects/project-manager.js';\nimport Database from 'better-sqlite3';\nimport { join } from 'path';\nimport { existsSync, mkdirSync } from 'fs';\n\nconst VERSION = '0.3.21';\n\n// Check for updates on CLI startup\nUpdateChecker.checkForUpdates(VERSION, true).catch(() => {\n // Silently ignore errors\n});\n\nprogram\n .name('stackmemory')\n .description(\n 'Lossless memory runtime for AI coding tools - organizes context as a call stack instead of linear chat logs, with team collaboration and infinite retention'\n )\n .version(VERSION);\n\nprogram\n .command('init')\n .description('Initialize StackMemory in current project')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbDir = join(projectRoot, '.stackmemory');\n\n if (!existsSync(dbDir)) {\n mkdirSync(dbDir, { recursive: true });\n }\n\n const dbPath = join(dbDir, 'context.db');\n const db = new Database(dbPath);\n new FrameManager(db, 'cli-project');\n\n logger.info('StackMemory initialized successfully', { projectRoot });\n console.log('\u2705 StackMemory initialized in', projectRoot);\n\n db.close();\n } catch (error: unknown) {\n logger.error('Failed to initialize StackMemory', error as Error);\n console.error('\u274C Initialization failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('status')\n .description('Show current StackMemory status')\n .option('--all', 'Show all active frames across sessions')\n .option('--project', 'Show all active frames in current project')\n .option('--session <id>', 'Show frames for specific session')\n .action(async (options) => {\n return trace.command('stackmemory-status', options, async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n // Check for updates and display if available\n await UpdateChecker.checkForUpdates(VERSION);\n\n // Initialize session manager and shared context\n await sessionManager.initialize();\n await sharedContextLayer.initialize();\n\n const session = await sessionManager.getOrCreateSession({\n projectPath: projectRoot,\n sessionId: options.session,\n });\n\n // Auto-discover shared context on startup\n const contextDiscovery = await sharedContextLayer.autoDiscoverContext();\n\n // Show context hints if available\n if (\n contextDiscovery.hasSharedContext &&\n contextDiscovery.sessionCount > 1\n ) {\n console.log(`\\n\uD83D\uDCA1 Shared Context Available:`);\n console.log(\n ` ${contextDiscovery.sessionCount} sessions with shared context`\n );\n\n if (contextDiscovery.recentPatterns.length > 0) {\n console.log(` Recent patterns:`);\n contextDiscovery.recentPatterns.slice(0, 3).forEach((p) => {\n console.log(\n ` \u2022 ${p.type}: ${p.pattern.slice(0, 50)} (${p.frequency}x)`\n );\n });\n }\n\n if (contextDiscovery.lastDecisions.length > 0) {\n console.log(\n ` Last decision: ${contextDiscovery.lastDecisions[0].decision.slice(0, 60)}`\n );\n }\n }\n\n const db = new Database(dbPath);\n const frameManager = new FrameManager(db, session.projectId);\n\n // Set query mode based on options\n if (options.all) {\n frameManager.setQueryMode(FrameQueryMode.ALL_ACTIVE);\n } else if (options.project) {\n frameManager.setQueryMode(FrameQueryMode.PROJECT_ACTIVE);\n }\n\n const activeFrames = frameManager.getActiveFramePath();\n const stackDepth = frameManager.getStackDepth();\n\n // Always get total counts across all sessions\n const totalStats = db\n .prepare(\n `\n SELECT \n COUNT(*) as total_frames,\n SUM(CASE WHEN state = 'active' THEN 1 ELSE 0 END) as active_frames,\n SUM(CASE WHEN state = 'closed' THEN 1 ELSE 0 END) as closed_frames,\n COUNT(DISTINCT run_id) as total_sessions\n FROM frames\n WHERE project_id = ?\n `\n )\n .get(session.projectId) as {\n total_frames: number;\n active_frames: number;\n closed_frames: number;\n total_sessions: number;\n };\n\n const contextCount = db\n .prepare(\n `\n SELECT COUNT(*) as count FROM contexts\n `\n )\n .get() as { count: number };\n\n const eventCount = db\n .prepare(\n `\n SELECT COUNT(*) as count FROM events e\n JOIN frames f ON e.frame_id = f.frame_id\n WHERE f.project_id = ?\n `\n )\n .get(session.projectId) as { count: number };\n\n console.log('\uD83D\uDCCA StackMemory Status:');\n console.log(\n ` Session: ${session.sessionId.slice(0, 8)} (${session.state}, ${Math.round((Date.now() - session.startedAt) / 1000 / 60)}min old)`\n );\n console.log(` Project: ${session.projectId}`);\n if (session.branch) {\n console.log(` Branch: ${session.branch}`);\n }\n\n // Show total database statistics\n console.log(`\\n Database Statistics (this project):`);\n console.log(\n ` Frames: ${totalStats.total_frames || 0} (${totalStats.active_frames || 0} active, ${totalStats.closed_frames || 0} closed)`\n );\n console.log(` Events: ${eventCount.count || 0}`);\n console.log(` Sessions: ${totalStats.total_sessions || 0}`);\n console.log(\n ` Cached contexts: ${contextCount.count || 0} (global)`\n );\n\n // Show recent activity\n const recentFrames = db\n .prepare(\n `\n SELECT name, type, state, datetime(created_at, 'unixepoch') as created\n FROM frames\n WHERE project_id = ?\n ORDER BY created_at DESC\n LIMIT 3\n `\n )\n .all(session.projectId) as Array<{\n name: string;\n type: string;\n state: string;\n created: string;\n }>;\n\n if (recentFrames.length > 0) {\n console.log(`\\n Recent Activity:`);\n recentFrames.forEach((f) => {\n const stateIcon = f.state === 'active' ? '\uD83D\uDFE2' : '\u26AB';\n console.log(\n ` ${stateIcon} ${f.name} [${f.type}] - ${f.created}`\n );\n });\n }\n\n console.log(`\\n Current Session:`);\n console.log(` Stack depth: ${stackDepth}`);\n console.log(` Active frames: ${activeFrames.length}`);\n\n if (activeFrames.length > 0) {\n activeFrames.forEach((frame, i) => {\n const indent = ' ' + ' '.repeat(frame.depth || i);\n const prefix = i === 0 ? '\u2514\u2500' : ' \u2514\u2500';\n console.log(`${indent}${prefix} ${frame.name} [${frame.type}]`);\n });\n }\n\n // Show other sessions if in default mode\n if (!options.all && !options.project) {\n const otherSessions = await sessionManager.listSessions({\n projectId: session.projectId,\n state: 'active',\n });\n\n const otherActive = otherSessions.filter(\n (s) => s.sessionId !== session.sessionId\n );\n if (otherActive.length > 0) {\n console.log(`\\n Other Active Sessions (same project):`);\n otherActive.forEach((s) => {\n const age = Math.round(\n (Date.now() - s.lastActiveAt) / 1000 / 60 / 60\n );\n console.log(\n ` - ${s.sessionId.slice(0, 8)}: ${s.branch || 'main'}, ${age}h old`\n );\n });\n console.log(`\\n Tip: Use --all to see frames across sessions`);\n }\n }\n\n db.close();\n } catch (error: unknown) {\n logger.error('Failed to get status', error as Error);\n console.error('\u274C Status check failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\nprogram\n .command('update-check')\n .description('Check for StackMemory updates')\n .action(async () => {\n try {\n console.log('\uD83D\uDD0D Checking for updates...');\n await UpdateChecker.forceCheck(VERSION);\n } catch (error: unknown) {\n logger.error('Update check failed', error as Error);\n console.error('\u274C Update check failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('progress')\n .description('Show current progress and recent changes')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n const progress = new ProgressTracker(projectRoot);\n console.log(progress.getSummary());\n } catch (error: unknown) {\n logger.error('Failed to show progress', error as Error);\n console.error('\u274C Failed to show progress:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('mcp-server')\n .description('Start StackMemory MCP server for Claude Desktop')\n .option('-p, --project <path>', 'Project root directory', process.cwd())\n .action(async (options) => {\n try {\n const { runMCPServer } = await import('../integrations/mcp/server.js');\n\n // Set project root\n process.env['PROJECT_ROOT'] = options.project;\n\n console.log('\uD83D\uDE80 Starting StackMemory MCP Server...');\n console.log(` Project: ${options.project}`);\n console.log(` Version: ${VERSION}`);\n\n // Check for updates silently\n UpdateChecker.checkForUpdates(VERSION, true).catch(() => {});\n\n // Start the MCP server\n await runMCPServer();\n } catch (error: unknown) {\n logger.error('Failed to start MCP server', error as Error);\n console.error('\u274C MCP server failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\n// Add test context command\nprogram\n .command('context:test')\n .description('Test context persistence by creating sample frames')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n const db = new Database(dbPath);\n const frameManager = new FrameManager(db, 'cli-project');\n\n // Create test frames\n console.log('\uD83D\uDCDD Creating test context frames...');\n\n const rootFrame = frameManager.createFrame({\n type: 'task',\n name: 'Test Session',\n inputs: { test: true, timestamp: new Date().toISOString() },\n });\n\n const taskFrame = frameManager.createFrame({\n type: 'subtask',\n name: 'Sample Task',\n inputs: { description: 'Testing context persistence' },\n parentFrameId: rootFrame,\n });\n\n const commandFrame = frameManager.createFrame({\n type: 'tool_scope',\n name: 'test-command',\n inputs: { args: ['--test'] },\n parentFrameId: taskFrame,\n });\n\n // Add some events\n frameManager.addEvent(\n 'observation',\n {\n message: 'Test event recorded',\n },\n commandFrame\n );\n\n console.log('\u2705 Test frames created!');\n console.log(`\uD83D\uDCCA Stack depth: ${frameManager.getStackDepth()}`);\n console.log(\n `\uD83D\uDD04 Active frames: ${frameManager.getActiveFramePath().length}`\n );\n\n // Close one frame to test state changes\n frameManager.closeFrame(commandFrame);\n console.log(\n `\uD83D\uDCCA After closing command frame: depth = ${frameManager.getStackDepth()}`\n );\n\n db.close();\n } catch (error: unknown) {\n logger.error('Test context failed', error as Error);\n console.error('\u274C Test failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\n// Register project management commands\n// Register command modules\nregisterOnboardingCommand(program);\nregisterSignupCommand(program);\nregisterLoginCommand(program);\nregisterLogoutCommand(program);\nregisterDbCommands(program);\nregisterProjectCommands(program);\nregisterWorktreeCommands(program);\n\n// Register Linear integration commands\nregisterLinearCommands(program);\n\n// Register session management commands\nprogram.addCommand(createSessionCommands());\n\n// Register enhanced CLI commands\nprogram.addCommand(createTaskCommands());\nprogram.addCommand(createSearchCommand());\nprogram.addCommand(createLogCommand());\nprogram.addCommand(createContextCommands());\nprogram.addCommand(createConfigCommand());\nprogram.addCommand(createHandoffCommand());\nprogram.addCommand(createStorageCommand());\nprogram.addCommand(createSkillsCommand());\nprogram.addCommand(createTestCommand());\nprogram.addCommand(clearCommand);\nprogram.addCommand(createWorkflowCommand());\nprogram.addCommand(monitorCommand);\nprogram.addCommand(qualityCommand);\nprogram.addCommand(createRalphCommand());\n\n// Register dashboard command\nprogram\n .command('dashboard')\n .description('Display monitoring dashboard in terminal')\n .option('-w, --watch', 'Auto-refresh dashboard')\n .option('-i, --interval <seconds>', 'Refresh interval in seconds', '5')\n .action(async (options) => {\n const { dashboardCommand } = await import('./commands/dashboard.js');\n await dashboardCommand.handler(options);\n });\n\n// Auto-detect current project on startup\nif (process.argv.length > 2) {\n const manager = ProjectManager.getInstance();\n manager.detectProject().catch(() => {\n // Silently fail if not in a project directory\n });\n}\n\n// Only parse when running as main module (not when imported for testing)\nconst isMainModule =\n import.meta.url === `file://${process.argv[1]}` ||\n process.argv[1]?.endsWith('/stackmemory') ||\n process.argv[1]?.endsWith('index.ts') ||\n process.argv[1]?.includes('tsx');\n\nif (isMainModule) {\n program.parse();\n}\n\nexport { program };\n"],
4
+ "sourcesContent": ["#!/usr/bin/env node\n/**\n * StackMemory CLI\n * Command-line interface for StackMemory operations\n */\n\n// Set environment flag for CLI usage to skip async context bridge\nprocess.env['STACKMEMORY_CLI'] = 'true';\n\n// Load environment variables\nimport 'dotenv/config';\n\n// Initialize tracing system early\nimport { initializeTracing, trace } from '../core/trace/index.js';\ninitializeTracing();\n\nimport { program } from 'commander';\nimport { logger } from '../core/monitoring/logger.js';\nimport { FrameManager } from '../core/context/frame-manager.js';\nimport { sessionManager, FrameQueryMode } from '../core/session/index.js';\nimport { sharedContextLayer } from '../core/context/shared-context-layer.js';\nimport { UpdateChecker } from '../core/utils/update-checker.js';\nimport { ProgressTracker } from '../core/monitoring/progress-tracker.js';\nimport { registerProjectCommands } from './commands/projects.js';\nimport { registerLinearCommands } from './commands/linear.js';\nimport { createSessionCommands } from './commands/session.js';\nimport { registerWorktreeCommands } from './commands/worktree.js';\nimport { registerOnboardingCommand } from './commands/onboard.js';\nimport { createTaskCommands } from './commands/tasks.js';\nimport { createSearchCommand } from './commands/search.js';\nimport { createLogCommand } from './commands/log.js';\nimport { createContextCommands } from './commands/context.js';\nimport { createConfigCommand } from './commands/config.js';\nimport { createHandoffCommand } from './commands/handoff.js';\nimport { createStorageCommand } from './commands/storage.js';\nimport { createSkillsCommand } from './commands/skills.js';\nimport { createTestCommand } from './commands/test.js';\nimport clearCommand from './commands/clear.js';\nimport createWorkflowCommand from './commands/workflow.js';\nimport monitorCommand from './commands/monitor.js';\nimport qualityCommand from './commands/quality.js';\nimport createRalphCommand from './commands/ralph.js';\nimport { registerLoginCommand } from './commands/login.js';\nimport { registerSignupCommand } from './commands/signup.js';\nimport { registerLogoutCommand, registerDbCommands } from './commands/db.js';\nimport { ProjectManager } from '../core/projects/project-manager.js';\nimport Database from 'better-sqlite3';\nimport { join } from 'path';\nimport { existsSync, mkdirSync } from 'fs';\n\nconst VERSION = '0.4.2';\n\n// Check for updates on CLI startup\nUpdateChecker.checkForUpdates(VERSION, true).catch(() => {\n // Silently ignore errors\n});\n\nprogram\n .name('stackmemory')\n .description(\n 'Lossless memory runtime for AI coding tools - organizes context as a call stack instead of linear chat logs, with team collaboration and infinite retention'\n )\n .version(VERSION);\n\nprogram\n .command('init')\n .description('Initialize StackMemory in current project')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbDir = join(projectRoot, '.stackmemory');\n\n if (!existsSync(dbDir)) {\n mkdirSync(dbDir, { recursive: true });\n }\n\n const dbPath = join(dbDir, 'context.db');\n const db = new Database(dbPath);\n new FrameManager(db, 'cli-project');\n\n logger.info('StackMemory initialized successfully', { projectRoot });\n console.log('\u2705 StackMemory initialized in', projectRoot);\n\n db.close();\n } catch (error: unknown) {\n logger.error('Failed to initialize StackMemory', error as Error);\n console.error('\u274C Initialization failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('status')\n .description('Show current StackMemory status')\n .option('--all', 'Show all active frames across sessions')\n .option('--project', 'Show all active frames in current project')\n .option('--session <id>', 'Show frames for specific session')\n .action(async (options) => {\n return trace.command('stackmemory-status', options, async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n // Check for updates and display if available\n await UpdateChecker.checkForUpdates(VERSION);\n\n // Initialize session manager and shared context\n await sessionManager.initialize();\n await sharedContextLayer.initialize();\n\n const session = await sessionManager.getOrCreateSession({\n projectPath: projectRoot,\n sessionId: options.session,\n });\n\n // Auto-discover shared context on startup\n const contextDiscovery = await sharedContextLayer.autoDiscoverContext();\n\n // Show context hints if available\n if (\n contextDiscovery.hasSharedContext &&\n contextDiscovery.sessionCount > 1\n ) {\n console.log(`\\n\uD83D\uDCA1 Shared Context Available:`);\n console.log(\n ` ${contextDiscovery.sessionCount} sessions with shared context`\n );\n\n if (contextDiscovery.recentPatterns.length > 0) {\n console.log(` Recent patterns:`);\n contextDiscovery.recentPatterns.slice(0, 3).forEach((p) => {\n console.log(\n ` \u2022 ${p.type}: ${p.pattern.slice(0, 50)} (${p.frequency}x)`\n );\n });\n }\n\n if (contextDiscovery.lastDecisions.length > 0) {\n console.log(\n ` Last decision: ${contextDiscovery.lastDecisions[0].decision.slice(0, 60)}`\n );\n }\n }\n\n const db = new Database(dbPath);\n const frameManager = new FrameManager(db, session.projectId);\n\n // Set query mode based on options\n if (options.all) {\n frameManager.setQueryMode(FrameQueryMode.ALL_ACTIVE);\n } else if (options.project) {\n frameManager.setQueryMode(FrameQueryMode.PROJECT_ACTIVE);\n }\n\n const activeFrames = frameManager.getActiveFramePath();\n const stackDepth = frameManager.getStackDepth();\n\n // Always get total counts across all sessions\n const totalStats = db\n .prepare(\n `\n SELECT \n COUNT(*) as total_frames,\n SUM(CASE WHEN state = 'active' THEN 1 ELSE 0 END) as active_frames,\n SUM(CASE WHEN state = 'closed' THEN 1 ELSE 0 END) as closed_frames,\n COUNT(DISTINCT run_id) as total_sessions\n FROM frames\n WHERE project_id = ?\n `\n )\n .get(session.projectId) as {\n total_frames: number;\n active_frames: number;\n closed_frames: number;\n total_sessions: number;\n };\n\n const contextCount = db\n .prepare(\n `\n SELECT COUNT(*) as count FROM contexts\n `\n )\n .get() as { count: number };\n\n const eventCount = db\n .prepare(\n `\n SELECT COUNT(*) as count FROM events e\n JOIN frames f ON e.frame_id = f.frame_id\n WHERE f.project_id = ?\n `\n )\n .get(session.projectId) as { count: number };\n\n console.log('\uD83D\uDCCA StackMemory Status:');\n console.log(\n ` Session: ${session.sessionId.slice(0, 8)} (${session.state}, ${Math.round((Date.now() - session.startedAt) / 1000 / 60)}min old)`\n );\n console.log(` Project: ${session.projectId}`);\n if (session.branch) {\n console.log(` Branch: ${session.branch}`);\n }\n\n // Show total database statistics\n console.log(`\\n Database Statistics (this project):`);\n console.log(\n ` Frames: ${totalStats.total_frames || 0} (${totalStats.active_frames || 0} active, ${totalStats.closed_frames || 0} closed)`\n );\n console.log(` Events: ${eventCount.count || 0}`);\n console.log(` Sessions: ${totalStats.total_sessions || 0}`);\n console.log(\n ` Cached contexts: ${contextCount.count || 0} (global)`\n );\n\n // Show recent activity\n const recentFrames = db\n .prepare(\n `\n SELECT name, type, state, datetime(created_at, 'unixepoch') as created\n FROM frames\n WHERE project_id = ?\n ORDER BY created_at DESC\n LIMIT 3\n `\n )\n .all(session.projectId) as Array<{\n name: string;\n type: string;\n state: string;\n created: string;\n }>;\n\n if (recentFrames.length > 0) {\n console.log(`\\n Recent Activity:`);\n recentFrames.forEach((f) => {\n const stateIcon = f.state === 'active' ? '\uD83D\uDFE2' : '\u26AB';\n console.log(\n ` ${stateIcon} ${f.name} [${f.type}] - ${f.created}`\n );\n });\n }\n\n console.log(`\\n Current Session:`);\n console.log(` Stack depth: ${stackDepth}`);\n console.log(` Active frames: ${activeFrames.length}`);\n\n if (activeFrames.length > 0) {\n activeFrames.forEach((frame, i) => {\n const indent = ' ' + ' '.repeat(frame.depth || i);\n const prefix = i === 0 ? '\u2514\u2500' : ' \u2514\u2500';\n console.log(`${indent}${prefix} ${frame.name} [${frame.type}]`);\n });\n }\n\n // Show other sessions if in default mode\n if (!options.all && !options.project) {\n const otherSessions = await sessionManager.listSessions({\n projectId: session.projectId,\n state: 'active',\n });\n\n const otherActive = otherSessions.filter(\n (s) => s.sessionId !== session.sessionId\n );\n if (otherActive.length > 0) {\n console.log(`\\n Other Active Sessions (same project):`);\n otherActive.forEach((s) => {\n const age = Math.round(\n (Date.now() - s.lastActiveAt) / 1000 / 60 / 60\n );\n console.log(\n ` - ${s.sessionId.slice(0, 8)}: ${s.branch || 'main'}, ${age}h old`\n );\n });\n console.log(`\\n Tip: Use --all to see frames across sessions`);\n }\n }\n\n db.close();\n } catch (error: unknown) {\n logger.error('Failed to get status', error as Error);\n console.error('\u274C Status check failed:', (error as Error).message);\n process.exit(1);\n }\n });\n });\n\nprogram\n .command('update-check')\n .description('Check for StackMemory updates')\n .action(async () => {\n try {\n console.log('\uD83D\uDD0D Checking for updates...');\n await UpdateChecker.forceCheck(VERSION);\n } catch (error: unknown) {\n logger.error('Update check failed', error as Error);\n console.error('\u274C Update check failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('progress')\n .description('Show current progress and recent changes')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n const progress = new ProgressTracker(projectRoot);\n console.log(progress.getSummary());\n } catch (error: unknown) {\n logger.error('Failed to show progress', error as Error);\n console.error('\u274C Failed to show progress:', (error as Error).message);\n process.exit(1);\n }\n });\n\nprogram\n .command('mcp-server')\n .description('Start StackMemory MCP server for Claude Desktop')\n .option('-p, --project <path>', 'Project root directory', process.cwd())\n .action(async (options) => {\n try {\n const { runMCPServer } = await import('../integrations/mcp/server.js');\n\n // Set project root\n process.env['PROJECT_ROOT'] = options.project;\n\n console.log('\uD83D\uDE80 Starting StackMemory MCP Server...');\n console.log(` Project: ${options.project}`);\n console.log(` Version: ${VERSION}`);\n\n // Check for updates silently\n UpdateChecker.checkForUpdates(VERSION, true).catch(() => {});\n\n // Start the MCP server\n await runMCPServer();\n } catch (error: unknown) {\n logger.error('Failed to start MCP server', error as Error);\n console.error('\u274C MCP server failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\n// Add test context command\nprogram\n .command('context:test')\n .description('Test context persistence by creating sample frames')\n .action(async () => {\n try {\n const projectRoot = process.cwd();\n const dbPath = join(projectRoot, '.stackmemory', 'context.db');\n\n if (!existsSync(dbPath)) {\n console.log(\n '\u274C StackMemory not initialized. Run \"stackmemory init\" first.'\n );\n return;\n }\n\n const db = new Database(dbPath);\n const frameManager = new FrameManager(db, 'cli-project');\n\n // Create test frames\n console.log('\uD83D\uDCDD Creating test context frames...');\n\n const rootFrame = frameManager.createFrame({\n type: 'task',\n name: 'Test Session',\n inputs: { test: true, timestamp: new Date().toISOString() },\n });\n\n const taskFrame = frameManager.createFrame({\n type: 'subtask',\n name: 'Sample Task',\n inputs: { description: 'Testing context persistence' },\n parentFrameId: rootFrame,\n });\n\n const commandFrame = frameManager.createFrame({\n type: 'tool_scope',\n name: 'test-command',\n inputs: { args: ['--test'] },\n parentFrameId: taskFrame,\n });\n\n // Add some events\n frameManager.addEvent(\n 'observation',\n {\n message: 'Test event recorded',\n },\n commandFrame\n );\n\n console.log('\u2705 Test frames created!');\n console.log(`\uD83D\uDCCA Stack depth: ${frameManager.getStackDepth()}`);\n console.log(\n `\uD83D\uDD04 Active frames: ${frameManager.getActiveFramePath().length}`\n );\n\n // Close one frame to test state changes\n frameManager.closeFrame(commandFrame);\n console.log(\n `\uD83D\uDCCA After closing command frame: depth = ${frameManager.getStackDepth()}`\n );\n\n db.close();\n } catch (error: unknown) {\n logger.error('Test context failed', error as Error);\n console.error('\u274C Test failed:', (error as Error).message);\n process.exit(1);\n }\n });\n\n// Register project management commands\n// Register command modules\nregisterOnboardingCommand(program);\nregisterSignupCommand(program);\nregisterLoginCommand(program);\nregisterLogoutCommand(program);\nregisterDbCommands(program);\nregisterProjectCommands(program);\nregisterWorktreeCommands(program);\n\n// Register Linear integration commands\nregisterLinearCommands(program);\n\n// Register session management commands\nprogram.addCommand(createSessionCommands());\n\n// Register enhanced CLI commands\nprogram.addCommand(createTaskCommands());\nprogram.addCommand(createSearchCommand());\nprogram.addCommand(createLogCommand());\nprogram.addCommand(createContextCommands());\nprogram.addCommand(createConfigCommand());\nprogram.addCommand(createHandoffCommand());\nprogram.addCommand(createStorageCommand());\nprogram.addCommand(createSkillsCommand());\nprogram.addCommand(createTestCommand());\nprogram.addCommand(clearCommand);\nprogram.addCommand(createWorkflowCommand());\nprogram.addCommand(monitorCommand);\nprogram.addCommand(qualityCommand);\nprogram.addCommand(createRalphCommand());\n\n// Register dashboard command\nprogram\n .command('dashboard')\n .description('Display monitoring dashboard in terminal')\n .option('-w, --watch', 'Auto-refresh dashboard')\n .option('-i, --interval <seconds>', 'Refresh interval in seconds', '5')\n .action(async (options) => {\n const { dashboardCommand } = await import('./commands/dashboard.js');\n await dashboardCommand.handler(options);\n });\n\n// Auto-detect current project on startup\nif (process.argv.length > 2) {\n const manager = ProjectManager.getInstance();\n manager.detectProject().catch(() => {\n // Silently fail if not in a project directory\n });\n}\n\n// Only parse when running as main module (not when imported for testing)\nconst isMainModule =\n import.meta.url === `file://${process.argv[1]}` ||\n process.argv[1]?.endsWith('/stackmemory') ||\n process.argv[1]?.endsWith('index.ts') ||\n process.argv[1]?.includes('tsx');\n\nif (isMainModule) {\n program.parse();\n}\n\nexport { program };\n"],
5
5
  "mappings": ";AAOA,QAAQ,IAAI,iBAAiB,IAAI;AAGjC,OAAO;AAGP,SAAS,mBAAmB,aAAa;AACzC,kBAAkB;AAElB,SAAS,eAAe;AACxB,SAAS,cAAc;AACvB,SAAS,oBAAoB;AAC7B,SAAS,gBAAgB,sBAAsB;AAC/C,SAAS,0BAA0B;AACnC,SAAS,qBAAqB;AAC9B,SAAS,uBAAuB;AAChC,SAAS,+BAA+B;AACxC,SAAS,8BAA8B;AACvC,SAAS,6BAA6B;AACtC,SAAS,gCAAgC;AACzC,SAAS,iCAAiC;AAC1C,SAAS,0BAA0B;AACnC,SAAS,2BAA2B;AACpC,SAAS,wBAAwB;AACjC,SAAS,6BAA6B;AACtC,SAAS,2BAA2B;AACpC,SAAS,4BAA4B;AACrC,SAAS,4BAA4B;AACrC,SAAS,2BAA2B;AACpC,SAAS,yBAAyB;AAClC,OAAO,kBAAkB;AACzB,OAAO,2BAA2B;AAClC,OAAO,oBAAoB;AAC3B,OAAO,oBAAoB;AAC3B,OAAO,wBAAwB;AAC/B,SAAS,4BAA4B;AACrC,SAAS,6BAA6B;AACtC,SAAS,uBAAuB,0BAA0B;AAC1D,SAAS,sBAAsB;AAC/B,OAAO,cAAc;AACrB,SAAS,YAAY;AACrB,SAAS,YAAY,iBAAiB;AAEtC,MAAM,UAAU;AAGhB,cAAc,gBAAgB,SAAS,IAAI,EAAE,MAAM,MAAM;AAEzD,CAAC;AAED,QACG,KAAK,aAAa,EAClB;AAAA,EACC;AACF,EACC,QAAQ,OAAO;AAElB,QACG,QAAQ,MAAM,EACd,YAAY,2CAA2C,EACvD,OAAO,YAAY;AAClB,MAAI;AACF,UAAM,cAAc,QAAQ,IAAI;AAChC,UAAM,QAAQ,KAAK,aAAa,cAAc;AAE9C,QAAI,CAAC,WAAW,KAAK,GAAG;AACtB,gBAAU,OAAO,EAAE,WAAW,KAAK,CAAC;AAAA,IACtC;AAEA,UAAM,SAAS,KAAK,OAAO,YAAY;AACvC,UAAM,KAAK,IAAI,SAAS,MAAM;AAC9B,QAAI,aAAa,IAAI,aAAa;AAElC,WAAO,KAAK,wCAAwC,EAAE,YAAY,CAAC;AACnE,YAAQ,IAAI,qCAAgC,WAAW;AAEvD,OAAG,MAAM;AAAA,EACX,SAAS,OAAgB;AACvB,WAAO,MAAM,oCAAoC,KAAc;AAC/D,YAAQ,MAAM,iCAA6B,MAAgB,OAAO;AAClE,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAEH,QACG,QAAQ,QAAQ,EAChB,YAAY,iCAAiC,EAC7C,OAAO,SAAS,wCAAwC,EACxD,OAAO,aAAa,2CAA2C,EAC/D,OAAO,kBAAkB,kCAAkC,EAC3D,OAAO,OAAO,YAAY;AACzB,SAAO,MAAM,QAAQ,sBAAsB,SAAS,YAAY;AAC9D,QAAI;AACF,YAAM,cAAc,QAAQ,IAAI;AAChC,YAAM,SAAS,KAAK,aAAa,gBAAgB,YAAY;AAE7D,UAAI,CAAC,WAAW,MAAM,GAAG;AACvB,gBAAQ;AAAA,UACN;AAAA,QACF;AACA;AAAA,MACF;AAGA,YAAM,cAAc,gBAAgB,OAAO;AAG3C,YAAM,eAAe,WAAW;AAChC,YAAM,mBAAmB,WAAW;AAEpC,YAAM,UAAU,MAAM,eAAe,mBAAmB;AAAA,QACtD,aAAa;AAAA,QACb,WAAW,QAAQ;AAAA,MACrB,CAAC;AAGD,YAAM,mBAAmB,MAAM,mBAAmB,oBAAoB;AAGtE,UACE,iBAAiB,oBACjB,iBAAiB,eAAe,GAChC;AACA,gBAAQ,IAAI;AAAA,oCAAgC;AAC5C,gBAAQ;AAAA,UACN,MAAM,iBAAiB,YAAY;AAAA,QACrC;AAEA,YAAI,iBAAiB,eAAe,SAAS,GAAG;AAC9C,kBAAQ,IAAI,qBAAqB;AACjC,2BAAiB,eAAe,MAAM,GAAG,CAAC,EAAE,QAAQ,CAAC,MAAM;AACzD,oBAAQ;AAAA,cACN,eAAU,EAAE,IAAI,KAAK,EAAE,QAAQ,MAAM,GAAG,EAAE,CAAC,KAAK,EAAE,SAAS;AAAA,YAC7D;AAAA,UACF,CAAC;AAAA,QACH;AAEA,YAAI,iBAAiB,cAAc,SAAS,GAAG;AAC7C,kBAAQ;AAAA,YACN,qBAAqB,iBAAiB,cAAc,CAAC,EAAE,SAAS,MAAM,GAAG,EAAE,CAAC;AAAA,UAC9E;AAAA,QACF;AAAA,MACF;AAEA,YAAM,KAAK,IAAI,SAAS,MAAM;AAC9B,YAAM,eAAe,IAAI,aAAa,IAAI,QAAQ,SAAS;AAG3D,UAAI,QAAQ,KAAK;AACf,qBAAa,aAAa,eAAe,UAAU;AAAA,MACrD,WAAW,QAAQ,SAAS;AAC1B,qBAAa,aAAa,eAAe,cAAc;AAAA,MACzD;AAEA,YAAM,eAAe,aAAa,mBAAmB;AACrD,YAAM,aAAa,aAAa,cAAc;AAG9C,YAAM,aAAa,GAChB;AAAA,QACC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MASF,EACC,IAAI,QAAQ,SAAS;AAOxB,YAAM,eAAe,GAClB;AAAA,QACC;AAAA;AAAA;AAAA,MAGF,EACC,IAAI;AAEP,YAAM,aAAa,GAChB;AAAA,QACC;AAAA;AAAA;AAAA;AAAA;AAAA,MAKF,EACC,IAAI,QAAQ,SAAS;AAExB,cAAQ,IAAI,+BAAwB;AACpC,cAAQ;AAAA,QACN,eAAe,QAAQ,UAAU,MAAM,GAAG,CAAC,CAAC,KAAK,QAAQ,KAAK,KAAK,KAAK,OAAO,KAAK,IAAI,IAAI,QAAQ,aAAa,MAAO,EAAE,CAAC;AAAA,MAC7H;AACA,cAAQ,IAAI,eAAe,QAAQ,SAAS,EAAE;AAC9C,UAAI,QAAQ,QAAQ;AAClB,gBAAQ,IAAI,cAAc,QAAQ,MAAM,EAAE;AAAA,MAC5C;AAGA,cAAQ,IAAI;AAAA,uCAA0C;AACtD,cAAQ;AAAA,QACN,gBAAgB,WAAW,gBAAgB,CAAC,KAAK,WAAW,iBAAiB,CAAC,YAAY,WAAW,iBAAiB,CAAC;AAAA,MACzH;AACA,cAAQ,IAAI,gBAAgB,WAAW,SAAS,CAAC,EAAE;AACnD,cAAQ,IAAI,kBAAkB,WAAW,kBAAkB,CAAC,EAAE;AAC9D,cAAQ;AAAA,QACN,yBAAyB,aAAa,SAAS,CAAC;AAAA,MAClD;AAGA,YAAM,eAAe,GAClB;AAAA,QACC;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAOF,EACC,IAAI,QAAQ,SAAS;AAOxB,UAAI,aAAa,SAAS,GAAG;AAC3B,gBAAQ,IAAI;AAAA,oBAAuB;AACnC,qBAAa,QAAQ,CAAC,MAAM;AAC1B,gBAAM,YAAY,EAAE,UAAU,WAAW,cAAO;AAChD,kBAAQ;AAAA,YACN,QAAQ,SAAS,IAAI,EAAE,IAAI,KAAK,EAAE,IAAI,OAAO,EAAE,OAAO;AAAA,UACxD;AAAA,QACF,CAAC;AAAA,MACH;AAEA,cAAQ,IAAI;AAAA,oBAAuB;AACnC,cAAQ,IAAI,qBAAqB,UAAU,EAAE;AAC7C,cAAQ,IAAI,uBAAuB,aAAa,MAAM,EAAE;AAExD,UAAI,aAAa,SAAS,GAAG;AAC3B,qBAAa,QAAQ,CAAC,OAAO,MAAM;AACjC,gBAAM,SAAS,UAAU,KAAK,OAAO,MAAM,SAAS,CAAC;AACrD,gBAAM,SAAS,MAAM,IAAI,iBAAO;AAChC,kBAAQ,IAAI,GAAG,MAAM,GAAG,MAAM,IAAI,MAAM,IAAI,KAAK,MAAM,IAAI,GAAG;AAAA,QAChE,CAAC;AAAA,MACH;AAGA,UAAI,CAAC,QAAQ,OAAO,CAAC,QAAQ,SAAS;AACpC,cAAM,gBAAgB,MAAM,eAAe,aAAa;AAAA,UACtD,WAAW,QAAQ;AAAA,UACnB,OAAO;AAAA,QACT,CAAC;AAED,cAAM,cAAc,cAAc;AAAA,UAChC,CAAC,MAAM,EAAE,cAAc,QAAQ;AAAA,QACjC;AACA,YAAI,YAAY,SAAS,GAAG;AAC1B,kBAAQ,IAAI;AAAA,yCAA4C;AACxD,sBAAY,QAAQ,CAAC,MAAM;AACzB,kBAAM,MAAM,KAAK;AAAA,eACd,KAAK,IAAI,IAAI,EAAE,gBAAgB,MAAO,KAAK;AAAA,YAC9C;AACA,oBAAQ;AAAA,cACN,UAAU,EAAE,UAAU,MAAM,GAAG,CAAC,CAAC,KAAK,EAAE,UAAU,MAAM,KAAK,GAAG;AAAA,YAClE;AAAA,UACF,CAAC;AACD,kBAAQ,IAAI;AAAA,gDAAmD;AAAA,QACjE;AAAA,MACF;AAEA,SAAG,MAAM;AAAA,IACX,SAAS,OAAgB;AACvB,aAAO,MAAM,wBAAwB,KAAc;AACnD,cAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAChE,cAAQ,KAAK,CAAC;AAAA,IAChB;AAAA,EACF,CAAC;AACH,CAAC;AAEH,QACG,QAAQ,cAAc,EACtB,YAAY,+BAA+B,EAC3C,OAAO,YAAY;AAClB,MAAI;AACF,YAAQ,IAAI,mCAA4B;AACxC,UAAM,cAAc,WAAW,OAAO;AAAA,EACxC,SAAS,OAAgB;AACvB,WAAO,MAAM,uBAAuB,KAAc;AAClD,YAAQ,MAAM,+BAA2B,MAAgB,OAAO;AAChE,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAEH,QACG,QAAQ,UAAU,EAClB,YAAY,0CAA0C,EACtD,OAAO,YAAY;AAClB,MAAI;AACF,UAAM,cAAc,QAAQ,IAAI;AAChC,UAAM,SAAS,KAAK,aAAa,gBAAgB,YAAY;AAE7D,QAAI,CAAC,WAAW,MAAM,GAAG;AACvB,cAAQ;AAAA,QACN;AAAA,MACF;AACA;AAAA,IACF;AAEA,UAAM,WAAW,IAAI,gBAAgB,WAAW;AAChD,YAAQ,IAAI,SAAS,WAAW,CAAC;AAAA,EACnC,SAAS,OAAgB;AACvB,WAAO,MAAM,2BAA2B,KAAc;AACtD,YAAQ,MAAM,mCAA+B,MAAgB,OAAO;AACpE,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAEH,QACG,QAAQ,YAAY,EACpB,YAAY,iDAAiD,EAC7D,OAAO,wBAAwB,0BAA0B,QAAQ,IAAI,CAAC,EACtE,OAAO,OAAO,YAAY;AACzB,MAAI;AACF,UAAM,EAAE,aAAa,IAAI,MAAM,OAAO,+BAA+B;AAGrE,YAAQ,IAAI,cAAc,IAAI,QAAQ;AAEtC,YAAQ,IAAI,8CAAuC;AACnD,YAAQ,IAAI,eAAe,QAAQ,OAAO,EAAE;AAC5C,YAAQ,IAAI,eAAe,OAAO,EAAE;AAGpC,kBAAc,gBAAgB,SAAS,IAAI,EAAE,MAAM,MAAM;AAAA,IAAC,CAAC;AAG3D,UAAM,aAAa;AAAA,EACrB,SAAS,OAAgB;AACvB,WAAO,MAAM,8BAA8B,KAAc;AACzD,YAAQ,MAAM,6BAAyB,MAAgB,OAAO;AAC9D,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAGH,QACG,QAAQ,cAAc,EACtB,YAAY,oDAAoD,EAChE,OAAO,YAAY;AAClB,MAAI;AACF,UAAM,cAAc,QAAQ,IAAI;AAChC,UAAM,SAAS,KAAK,aAAa,gBAAgB,YAAY;AAE7D,QAAI,CAAC,WAAW,MAAM,GAAG;AACvB,cAAQ;AAAA,QACN;AAAA,MACF;AACA;AAAA,IACF;AAEA,UAAM,KAAK,IAAI,SAAS,MAAM;AAC9B,UAAM,eAAe,IAAI,aAAa,IAAI,aAAa;AAGvD,YAAQ,IAAI,2CAAoC;AAEhD,UAAM,YAAY,aAAa,YAAY;AAAA,MACzC,MAAM;AAAA,MACN,MAAM;AAAA,MACN,QAAQ,EAAE,MAAM,MAAM,YAAW,oBAAI,KAAK,GAAE,YAAY,EAAE;AAAA,IAC5D,CAAC;AAED,UAAM,YAAY,aAAa,YAAY;AAAA,MACzC,MAAM;AAAA,MACN,MAAM;AAAA,MACN,QAAQ,EAAE,aAAa,8BAA8B;AAAA,MACrD,eAAe;AAAA,IACjB,CAAC;AAED,UAAM,eAAe,aAAa,YAAY;AAAA,MAC5C,MAAM;AAAA,MACN,MAAM;AAAA,MACN,QAAQ,EAAE,MAAM,CAAC,QAAQ,EAAE;AAAA,MAC3B,eAAe;AAAA,IACjB,CAAC;AAGD,iBAAa;AAAA,MACX;AAAA,MACA;AAAA,QACE,SAAS;AAAA,MACX;AAAA,MACA;AAAA,IACF;AAEA,YAAQ,IAAI,6BAAwB;AACpC,YAAQ,IAAI,0BAAmB,aAAa,cAAc,CAAC,EAAE;AAC7D,YAAQ;AAAA,MACN,4BAAqB,aAAa,mBAAmB,EAAE,MAAM;AAAA,IAC/D;AAGA,iBAAa,WAAW,YAAY;AACpC,YAAQ;AAAA,MACN,kDAA2C,aAAa,cAAc,CAAC;AAAA,IACzE;AAEA,OAAG,MAAM;AAAA,EACX,SAAS,OAAgB;AACvB,WAAO,MAAM,uBAAuB,KAAc;AAClD,YAAQ,MAAM,uBAAmB,MAAgB,OAAO;AACxD,YAAQ,KAAK,CAAC;AAAA,EAChB;AACF,CAAC;AAIH,0BAA0B,OAAO;AACjC,sBAAsB,OAAO;AAC7B,qBAAqB,OAAO;AAC5B,sBAAsB,OAAO;AAC7B,mBAAmB,OAAO;AAC1B,wBAAwB,OAAO;AAC/B,yBAAyB,OAAO;AAGhC,uBAAuB,OAAO;AAG9B,QAAQ,WAAW,sBAAsB,CAAC;AAG1C,QAAQ,WAAW,mBAAmB,CAAC;AACvC,QAAQ,WAAW,oBAAoB,CAAC;AACxC,QAAQ,WAAW,iBAAiB,CAAC;AACrC,QAAQ,WAAW,sBAAsB,CAAC;AAC1C,QAAQ,WAAW,oBAAoB,CAAC;AACxC,QAAQ,WAAW,qBAAqB,CAAC;AACzC,QAAQ,WAAW,qBAAqB,CAAC;AACzC,QAAQ,WAAW,oBAAoB,CAAC;AACxC,QAAQ,WAAW,kBAAkB,CAAC;AACtC,QAAQ,WAAW,YAAY;AAC/B,QAAQ,WAAW,sBAAsB,CAAC;AAC1C,QAAQ,WAAW,cAAc;AACjC,QAAQ,WAAW,cAAc;AACjC,QAAQ,WAAW,mBAAmB,CAAC;AAGvC,QACG,QAAQ,WAAW,EACnB,YAAY,0CAA0C,EACtD,OAAO,eAAe,wBAAwB,EAC9C,OAAO,4BAA4B,+BAA+B,GAAG,EACrE,OAAO,OAAO,YAAY;AACzB,QAAM,EAAE,iBAAiB,IAAI,MAAM,OAAO,yBAAyB;AACnE,QAAM,iBAAiB,QAAQ,OAAO;AACxC,CAAC;AAGH,IAAI,QAAQ,KAAK,SAAS,GAAG;AAC3B,QAAM,UAAU,eAAe,YAAY;AAC3C,UAAQ,cAAc,EAAE,MAAM,MAAM;AAAA,EAEpC,CAAC;AACH;AAGA,MAAM,eACJ,YAAY,QAAQ,UAAU,QAAQ,KAAK,CAAC,CAAC,MAC7C,QAAQ,KAAK,CAAC,GAAG,SAAS,cAAc,KACxC,QAAQ,KAAK,CAAC,GAAG,SAAS,UAAU,KACpC,QAAQ,KAAK,CAAC,GAAG,SAAS,KAAK;AAEjC,IAAI,cAAc;AAChB,UAAQ,MAAM;AAChB;",
6
6
  "names": []
7
7
  }