add-skill-kit 3.2.4 → 3.2.5

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (74) hide show
  1. package/README.md +1 -1
  2. package/bin/lib/commands/help.js +0 -4
  3. package/bin/lib/commands/install.js +90 -9
  4. package/bin/lib/ui.js +1 -1
  5. package/lib/agent-cli/__tests__/adaptive_engine.test.js +190 -0
  6. package/lib/agent-cli/__tests__/integration/cross_script.test.js +222 -0
  7. package/lib/agent-cli/__tests__/integration/full_cycle.test.js +230 -0
  8. package/lib/agent-cli/__tests__/pattern_analyzer.test.js +173 -0
  9. package/lib/agent-cli/__tests__/pre_execution_check.test.js +167 -0
  10. package/lib/agent-cli/__tests__/skill_injector.test.js +191 -0
  11. package/lib/agent-cli/bin/{ag-smart.js → agent.js} +48 -15
  12. package/lib/agent-cli/dashboard/dashboard_server.js +340 -0
  13. package/lib/agent-cli/dashboard/index.html +538 -0
  14. package/lib/agent-cli/lib/audit.js +2 -2
  15. package/lib/agent-cli/lib/auto-learn.js +8 -8
  16. package/lib/agent-cli/lib/eslint-fix.js +1 -1
  17. package/lib/agent-cli/lib/fix.js +5 -5
  18. package/lib/agent-cli/lib/hooks/install-hooks.js +4 -4
  19. package/lib/agent-cli/lib/hooks/lint-learn.js +4 -4
  20. package/lib/agent-cli/lib/learn.js +10 -10
  21. package/lib/agent-cli/lib/recall.js +1 -1
  22. package/lib/agent-cli/lib/settings.js +24 -0
  23. package/lib/agent-cli/lib/skill-learn.js +2 -2
  24. package/lib/agent-cli/lib/stats.js +3 -3
  25. package/lib/agent-cli/lib/ui/dashboard-ui.js +103 -4
  26. package/lib/agent-cli/lib/ui/index.js +36 -6
  27. package/lib/agent-cli/lib/watcher.js +2 -2
  28. package/lib/agent-cli/package.json +4 -4
  29. package/lib/agent-cli/scripts/adaptive_engine.js +381 -0
  30. package/lib/agent-cli/scripts/dashboard_server.js +224 -0
  31. package/lib/agent-cli/scripts/error_sensor.js +565 -0
  32. package/lib/agent-cli/scripts/learn_from_failure.js +225 -0
  33. package/lib/agent-cli/scripts/pattern_analyzer.js +781 -0
  34. package/lib/agent-cli/scripts/pre_execution_check.js +623 -0
  35. package/lib/agent-cli/scripts/rule_sharing.js +374 -0
  36. package/lib/agent-cli/scripts/skill_injector.js +387 -0
  37. package/lib/agent-cli/scripts/success_sensor.js +500 -0
  38. package/lib/agent-cli/scripts/user_correction_sensor.js +426 -0
  39. package/lib/agent-cli/services/auto-learn-service.js +247 -0
  40. package/lib/agent-cli/src/MIGRATION.md +418 -0
  41. package/lib/agent-cli/src/README.md +367 -0
  42. package/lib/agent-cli/src/core/evolution/evolution-signal.js +42 -0
  43. package/lib/agent-cli/src/core/evolution/index.js +17 -0
  44. package/lib/agent-cli/src/core/evolution/review-gate.js +40 -0
  45. package/lib/agent-cli/src/core/evolution/signal-detector.js +137 -0
  46. package/lib/agent-cli/src/core/evolution/signal-queue.js +79 -0
  47. package/lib/agent-cli/src/core/evolution/threshold-checker.js +79 -0
  48. package/lib/agent-cli/src/core/index.js +15 -0
  49. package/lib/agent-cli/src/core/learning/cognitive-enhancer.js +282 -0
  50. package/lib/agent-cli/src/core/learning/index.js +12 -0
  51. package/lib/agent-cli/src/core/learning/lesson-synthesizer.js +83 -0
  52. package/lib/agent-cli/src/core/scanning/index.js +14 -0
  53. package/lib/agent-cli/src/data/index.js +13 -0
  54. package/lib/agent-cli/src/data/repositories/index.js +8 -0
  55. package/lib/agent-cli/src/data/repositories/lesson-repository.js +130 -0
  56. package/lib/agent-cli/src/data/repositories/signal-repository.js +119 -0
  57. package/lib/agent-cli/src/data/storage/index.js +8 -0
  58. package/lib/agent-cli/src/data/storage/json-storage.js +64 -0
  59. package/lib/agent-cli/src/data/storage/yaml-storage.js +66 -0
  60. package/lib/agent-cli/src/infrastructure/index.js +13 -0
  61. package/lib/agent-cli/src/presentation/formatters/skill-formatter.js +232 -0
  62. package/lib/agent-cli/src/services/export-service.js +162 -0
  63. package/lib/agent-cli/src/services/index.js +13 -0
  64. package/lib/agent-cli/src/services/learning-service.js +99 -0
  65. package/lib/agent-cli/types/index.d.ts +343 -0
  66. package/lib/agent-cli/utils/benchmark.js +269 -0
  67. package/lib/agent-cli/utils/logger.js +303 -0
  68. package/lib/agent-cli/utils/ml_patterns.js +300 -0
  69. package/lib/agent-cli/utils/recovery.js +312 -0
  70. package/lib/agent-cli/utils/telemetry.js +290 -0
  71. package/lib/agentskillskit-cli/ag-smart.js +15 -15
  72. package/lib/agentskillskit-cli/package.json +3 -3
  73. package/package.json +11 -5
  74. /package/bin/{cli.js → kit.js} +0 -0
@@ -0,0 +1,191 @@
1
+ /**
2
+ * Unit Tests for skill_injector.js
3
+ *
4
+ * Tests:
5
+ * - analyzeLessons
6
+ * - getSkillCandidates
7
+ * - generateSkillContent
8
+ * - generateSkills
9
+ */
10
+
11
+ import { describe, it, expect, vi } from 'vitest';
12
+
13
+ // Mock fs module
14
+ vi.mock('fs', async () => {
15
+ const actual = await vi.importActual('fs');
16
+ return {
17
+ ...actual,
18
+ default: {
19
+ ...actual,
20
+ existsSync: vi.fn(() => false),
21
+ readFileSync: vi.fn(() => '{}'),
22
+ writeFileSync: vi.fn(),
23
+ mkdirSync: vi.fn(),
24
+ readdirSync: vi.fn(() => [])
25
+ },
26
+ existsSync: vi.fn(() => false),
27
+ readFileSync: vi.fn(() => '{}'),
28
+ writeFileSync: vi.fn(),
29
+ mkdirSync: vi.fn(),
30
+ readdirSync: vi.fn(() => [])
31
+ };
32
+ });
33
+
34
+ // Category config constant
35
+ const CATEGORY_CONFIG = {
36
+ 'SAFE': { name: 'safety-rules', description: 'Auto-learned safety rules' },
37
+ 'CODE': { name: 'code-patterns', description: 'Auto-learned code patterns' },
38
+ 'FLOW': { name: 'workflow-rules', description: 'Auto-learned workflow rules' },
39
+ 'INT': { name: 'integration-rules', description: 'Auto-learned integration rules' },
40
+ 'PERF': { name: 'performance-rules', description: 'Auto-learned performance rules' },
41
+ 'TEST': { name: 'testing-rules', description: 'Auto-learned testing rules' },
42
+ 'LEARN': { name: 'general-lessons', description: 'General lessons learned' }
43
+ };
44
+
45
+ describe('Skill Injector', () => {
46
+ describe('analyzeLessons', () => {
47
+ it('should group lessons by category', () => {
48
+ const lessons = [
49
+ { id: 'SAFE-001', pattern: 'delete check' },
50
+ { id: 'SAFE-002', pattern: 'file backup' },
51
+ { id: 'CODE-001', pattern: 'typescript' },
52
+ { id: 'TEST-001', pattern: 'unit test' }
53
+ ];
54
+
55
+ const categories = {};
56
+
57
+ for (const lesson of lessons) {
58
+ const category = lesson.id?.split('-')[0] || 'LEARN';
59
+ if (!categories[category]) {
60
+ categories[category] = [];
61
+ }
62
+ categories[category].push(lesson);
63
+ }
64
+
65
+ expect(categories['SAFE'].length).toBe(2);
66
+ expect(categories['CODE'].length).toBe(1);
67
+ expect(categories['TEST'].length).toBe(1);
68
+ });
69
+
70
+ it('should default to LEARN for unknown categories', () => {
71
+ const lessons = [{ id: 'UNKNOWN-001', pattern: 'something' }];
72
+
73
+ const categories = {};
74
+ for (const lesson of lessons) {
75
+ const category = lesson.id?.split('-')[0] || 'LEARN';
76
+ if (!categories[category]) {
77
+ categories[category] = [];
78
+ }
79
+ categories[category].push(lesson);
80
+ }
81
+
82
+ expect(categories['UNKNOWN'].length).toBe(1);
83
+ });
84
+ });
85
+
86
+ describe('getSkillCandidates', () => {
87
+ it('should require minimum 3 lessons for skill generation', () => {
88
+ const categories = {
89
+ 'SAFE': [{ id: 1 }, { id: 2 }, { id: 3 }], // 3 - eligible
90
+ 'CODE': [{ id: 1 }, { id: 2 }], // 2 - not eligible
91
+ 'TEST': [{ id: 1 }, { id: 2 }, { id: 3 }, { id: 4 }] // 4 - eligible
92
+ };
93
+
94
+ const candidates = [];
95
+ for (const [category, lessons] of Object.entries(categories)) {
96
+ if (lessons.length >= 3) {
97
+ candidates.push({
98
+ category,
99
+ count: lessons.length,
100
+ config: CATEGORY_CONFIG[category] || {
101
+ name: `${category.toLowerCase()}-rules`,
102
+ description: `Auto-learned ${category.toLowerCase()} rules`
103
+ }
104
+ });
105
+ }
106
+ }
107
+
108
+ expect(candidates.length).toBe(2);
109
+ expect(candidates.find(c => c.category === 'SAFE')).toBeDefined();
110
+ expect(candidates.find(c => c.category === 'TEST')).toBeDefined();
111
+ expect(candidates.find(c => c.category === 'CODE')).toBeUndefined();
112
+ });
113
+ });
114
+
115
+ describe('generateSkillContent', () => {
116
+ it('should generate valid SKILL.md content', () => {
117
+ const category = 'SAFE';
118
+ const lessons = [
119
+ { id: 'SAFE-001', pattern: 'delete check', severity: 'CRITICAL', message: 'Check before delete' },
120
+ { id: 'SAFE-002', pattern: 'backup first', severity: 'HIGH', message: 'Backup before modify' }
121
+ ];
122
+ const config = CATEGORY_CONFIG['SAFE'];
123
+
124
+ // Generate YAML frontmatter
125
+ const content = `---
126
+ name: ${config.name}
127
+ description: ${config.description}
128
+ ---
129
+
130
+ # ${config.name}
131
+ `;
132
+
133
+ expect(content).toContain('name: safety-rules');
134
+ expect(content).toContain('Auto-learned safety rules');
135
+ });
136
+
137
+ it('should include severity icons', () => {
138
+ const severityIcons = {
139
+ 'CRITICAL': '🔴',
140
+ 'HIGH': '🟠',
141
+ 'MEDIUM': '🟡',
142
+ 'LOW': '🟢'
143
+ };
144
+
145
+ expect(severityIcons['CRITICAL']).toBe('🔴');
146
+ expect(severityIcons['HIGH']).toBe('🟠');
147
+ });
148
+ });
149
+
150
+ describe('generateSkills', () => {
151
+ it('should generate skills for eligible categories', () => {
152
+ const candidates = [
153
+ { category: 'SAFE', count: 5, config: CATEGORY_CONFIG['SAFE'] },
154
+ { category: 'CODE', count: 3, config: CATEGORY_CONFIG['CODE'] }
155
+ ];
156
+
157
+ const generated = candidates.map(c => ({
158
+ category: c.category,
159
+ name: c.config.name,
160
+ lessonCount: c.count
161
+ }));
162
+
163
+ expect(generated.length).toBe(2);
164
+ expect(generated[0].name).toBe('safety-rules');
165
+ expect(generated[1].name).toBe('code-patterns');
166
+ });
167
+
168
+ it('should support dry-run mode', () => {
169
+ const dryRun = true;
170
+ const writeOperations = [];
171
+
172
+ if (!dryRun) {
173
+ writeOperations.push('write');
174
+ }
175
+
176
+ expect(writeOperations.length).toBe(0);
177
+ });
178
+ });
179
+
180
+ describe('Category Mapping', () => {
181
+ it('should have all standard categories', () => {
182
+ expect(CATEGORY_CONFIG['SAFE']).toBeDefined();
183
+ expect(CATEGORY_CONFIG['CODE']).toBeDefined();
184
+ expect(CATEGORY_CONFIG['FLOW']).toBeDefined();
185
+ expect(CATEGORY_CONFIG['INT']).toBeDefined();
186
+ expect(CATEGORY_CONFIG['PERF']).toBeDefined();
187
+ expect(CATEGORY_CONFIG['TEST']).toBeDefined();
188
+ expect(CATEGORY_CONFIG['LEARN']).toBeDefined();
189
+ });
190
+ });
191
+ });
@@ -24,6 +24,8 @@ const ARGS = process.argv.slice(2);
24
24
  const COMMAND = ARGS[0];
25
25
  const SCRIPTS_DIR = path.join(__dirname, "..", "lib");
26
26
  const HOOKS_DIR = path.join(SCRIPTS_DIR, "hooks");
27
+ const DASHBOARD_DIR = path.join(__dirname, "..", "dashboard");
28
+ const AUTO_LEARN_DIR = path.join(__dirname, "..", "scripts");
27
29
 
28
30
  /**
29
31
  * Run a script with given arguments
@@ -52,46 +54,54 @@ function printHelp() {
52
54
  console.log(`
53
55
  🤖 Agent Skill Kit CLI v${VERSION}
54
56
 
55
- Usage: ag-smart <command> [options]
57
+ Usage: agent <command> [options]
56
58
 
57
59
  ${"─".repeat(50)}
58
60
 
59
61
  📚 CORE COMMANDS:
60
62
 
61
63
  learn Teach a new lesson to the memory
62
- ag-smart learn --add --pattern "var " --message "Use let/const"
63
- ag-smart learn --list
64
- ag-smart learn --remove LEARN-001
64
+ agent learn --add --pattern "var " --message "Use let/const"
65
+ agent learn --list
66
+ agent learn --remove LEARN-001
65
67
 
66
68
  recall Check file(s) against learned patterns
67
- ag-smart recall src/app.js
68
- ag-smart recall ./src
69
+ agent recall src/app.js
70
+ agent recall ./src
69
71
 
70
72
  audit Run full compliance audit
71
- ag-smart audit [directory]
73
+ agent audit [directory]
72
74
 
73
75
  ${"─".repeat(50)}
74
76
 
75
77
  🚀 PRODUCTION FEATURES:
76
78
 
77
79
  watch Real-time file monitoring
78
- ag-smart watch [directory]
80
+ agent watch [directory]
79
81
 
80
82
  stats Knowledge base statistics
81
- ag-smart stats
83
+ agent stats
82
84
 
83
85
  install-hooks Install git pre-commit hook
84
- ag-smart install-hooks
85
- ag-smart install-hooks --remove
86
+ agent install-hooks
87
+ agent install-hooks --remove
86
88
 
87
89
  lint-learn Auto-learn from ESLint JSON output
88
- npx eslint . --format json | ag-smart lint-learn
90
+ npx eslint . --format json | agent lint-learn
89
91
 
90
92
  fix 🆕 Auto-fix violations
91
- ag-smart fix <file|dir> [--mode safe|aggressive]
93
+ agent fix <file|dir> [--mode safe|aggressive]
92
94
 
93
95
  sync-skills 🆕 Sync hot patterns to SKILL.md
94
- ag-smart sync-skills
96
+ agent sync-skills
97
+
98
+ dashboard 🆕 Start Auto-Learn dashboard
99
+ agent dashboard
100
+
101
+ auto-learn 🆕 Run auto-learn scripts
102
+ agent auto-learn --scan
103
+ agent auto-learn --analyze
104
+ agent auto-learn --check "intent"
95
105
 
96
106
  ${"─".repeat(50)}
97
107
 
@@ -137,6 +147,29 @@ switch (COMMAND) {
137
147
  run("skill-learn.js", ARGS.slice(1));
138
148
  break;
139
149
 
150
+ // Auto-Learn features
151
+ case "dashboard":
152
+ run("dashboard_server.js", ARGS.slice(1), DASHBOARD_DIR);
153
+ break;
154
+ case "auto-learn":
155
+ const subCmd = ARGS[1];
156
+ if (subCmd === "--scan" || subCmd === "-s") {
157
+ run("error_sensor.js", ARGS.slice(2), AUTO_LEARN_DIR);
158
+ } else if (subCmd === "--success") {
159
+ run("success_sensor.js", ARGS.slice(2), AUTO_LEARN_DIR);
160
+ } else if (subCmd === "--analyze" || subCmd === "-a") {
161
+ run("pattern_analyzer.js", ARGS.slice(2), AUTO_LEARN_DIR);
162
+ } else if (subCmd === "--check" || subCmd === "-c") {
163
+ run("pre_execution_check.js", ARGS.slice(2), AUTO_LEARN_DIR);
164
+ } else if (subCmd === "--adapt") {
165
+ run("adaptive_engine.js", ARGS.slice(2), AUTO_LEARN_DIR);
166
+ } else if (subCmd === "--inject") {
167
+ run("skill_injector.js", ARGS.slice(2), AUTO_LEARN_DIR);
168
+ } else {
169
+ console.log("Usage: agent auto-learn [--scan|--success|--analyze|--check|--adapt|--inject]");
170
+ }
171
+ break;
172
+
140
173
  // Meta
141
174
  case "--version":
142
175
  case "-v":
@@ -153,6 +186,6 @@ switch (COMMAND) {
153
186
  break;
154
187
  default:
155
188
  console.log(`❌ Unknown command: ${COMMAND}`);
156
- console.log(" Run 'ag-smart help' for available commands.\n");
189
+ console.log(" Run 'agent help' for available commands.\n");
157
190
  process.exit(1);
158
191
  }
@@ -0,0 +1,340 @@
1
+ #!/usr/bin/env node
2
+ /**
3
+ * Dashboard Server - Local web server for Auto-Learn Dashboard
4
+ *
5
+ * Bundled with Agent Skill Kit CLI
6
+ *
7
+ * Serves:
8
+ * - Static dashboard HTML
9
+ * - API endpoints for data
10
+ *
11
+ * Usage:
12
+ * node dashboard_server.js --port 3030
13
+ */
14
+
15
+ import fs from 'fs';
16
+ import path from 'path';
17
+ import http from 'http';
18
+ import { fileURLToPath } from 'url';
19
+
20
+ const __filename = fileURLToPath(import.meta.url);
21
+ const __dirname = path.dirname(__filename);
22
+
23
+ // Colors
24
+ const c = {
25
+ reset: '\x1b[0m',
26
+ red: '\x1b[31m',
27
+ green: '\x1b[32m',
28
+ yellow: '\x1b[33m',
29
+ cyan: '\x1b[36m',
30
+ gray: '\x1b[90m',
31
+ bold: '\x1b[1m'
32
+ };
33
+
34
+ // Find project root (where .agent folder exists)
35
+ function findProjectRoot() {
36
+ let current = process.cwd();
37
+ while (current !== path.dirname(current)) {
38
+ if (fs.existsSync(path.join(current, '.agent'))) {
39
+ return current;
40
+ }
41
+ current = path.dirname(current);
42
+ }
43
+ return process.cwd();
44
+ }
45
+
46
+ // Find knowledge path - check multiple locations
47
+ function findKnowledgePath() {
48
+ const projectRoot = findProjectRoot();
49
+ const possiblePaths = [
50
+ path.join(projectRoot, '.agent', 'knowledge'),
51
+ path.join(projectRoot, '.agent', 'agentskillskit', '.agent', 'knowledge'),
52
+ ];
53
+
54
+ for (const p of possiblePaths) {
55
+ if (fs.existsSync(p)) {
56
+ return p;
57
+ }
58
+ }
59
+
60
+ // Create default if none exists
61
+ const defaultPath = path.join(projectRoot, '.agent', 'knowledge');
62
+ fs.mkdirSync(defaultPath, { recursive: true });
63
+ return defaultPath;
64
+ }
65
+
66
+ const knowledgePath = findKnowledgePath();
67
+ // Dashboard is in same directory as this server
68
+ const dashboardPath = __dirname;
69
+
70
+ // Load JSON files
71
+ function loadJson(filename) {
72
+ const filePath = path.join(knowledgePath, filename);
73
+ try {
74
+ if (fs.existsSync(filePath)) {
75
+ return JSON.parse(fs.readFileSync(filePath, 'utf8'));
76
+ }
77
+ } catch { }
78
+ return null;
79
+ }
80
+
81
+ // API handlers
82
+ const api = {
83
+ '/api/errors': () => {
84
+ const data = loadJson('detected-errors.json');
85
+ return data || { errors: [], totalErrors: 0 };
86
+ },
87
+
88
+ '/api/corrections': () => {
89
+ const data = loadJson('user-corrections.json');
90
+ return data || { corrections: [], totalCorrections: 0 };
91
+ },
92
+
93
+ '/api/lessons': () => {
94
+ const data = loadJson('lessons-learned.json');
95
+ return data || { lessons: [] };
96
+ },
97
+
98
+ '/api/patterns': () => {
99
+ const data = loadJson('patterns.json');
100
+ return data || { errors: {}, corrections: {}, highFrequency: [] };
101
+ },
102
+
103
+ '/api/successes': () => {
104
+ const data = loadJson('successes.json');
105
+ return data || { successes: [], totalSuccesses: 0 };
106
+ },
107
+
108
+ '/api/summary': () => {
109
+ const errors = loadJson('detected-errors.json');
110
+ const corrections = loadJson('user-corrections.json');
111
+ const lessons = loadJson('lessons-learned.json');
112
+ const patterns = loadJson('patterns.json');
113
+ const successes = loadJson('successes.json');
114
+
115
+ // Calculate success/failure ratio
116
+ const totalErrors = errors?.errors?.length || 0;
117
+ const totalCorrections = corrections?.corrections?.length || 0;
118
+ const totalSuccesses = successes?.successes?.length || 0;
119
+ const totalFailures = totalErrors + totalCorrections;
120
+ const total = totalFailures + totalSuccesses;
121
+
122
+ let ratio = 0;
123
+ let status = 'NO_DATA';
124
+ if (total > 0) {
125
+ ratio = Math.round((totalSuccesses / total) * 100) / 100;
126
+ if (ratio > 0.7) status = 'EXCELLENT';
127
+ else if (ratio > 0.5) status = 'GOOD';
128
+ else if (ratio > 0.3) status = 'LEARNING';
129
+ else status = 'NEEDS_ATTENTION';
130
+ }
131
+
132
+ // Group successes by pattern
133
+ const successesByPattern = {};
134
+ for (const s of (successes?.successes || [])) {
135
+ successesByPattern[s.pattern] = (successesByPattern[s.pattern] || 0) + 1;
136
+ }
137
+
138
+ return {
139
+ errors: {
140
+ total: totalErrors,
141
+ byType: patterns?.errors?.byType || {},
142
+ bySeverity: patterns?.errors?.bySeverity || {}
143
+ },
144
+ corrections: {
145
+ total: totalCorrections,
146
+ byCategory: patterns?.corrections?.byCategory || {}
147
+ },
148
+ successes: {
149
+ total: totalSuccesses,
150
+ byPattern: successesByPattern
151
+ },
152
+ balance: {
153
+ ratio,
154
+ status,
155
+ failures: totalFailures,
156
+ successes: totalSuccesses
157
+ },
158
+ lessons: lessons?.lessons?.length || 0,
159
+ highFrequency: patterns?.highFrequency || [],
160
+ lastUpdated: patterns?.analyzedAt || null,
161
+ knowledgePath: knowledgePath
162
+ };
163
+ },
164
+
165
+ '/api/trends': () => {
166
+ const errors = loadJson('detected-errors.json');
167
+ const successes = loadJson('successes.json');
168
+
169
+ const errorList = errors?.errors || [];
170
+ const successList = successes?.successes || [];
171
+
172
+ // Calculate trends
173
+ const now = new Date();
174
+ const oneWeekAgo = new Date(now - 7 * 24 * 60 * 60 * 1000);
175
+ const twoWeeksAgo = new Date(now - 14 * 24 * 60 * 60 * 1000);
176
+
177
+ const thisWeekErrors = errorList.filter(e => new Date(e.timestamp) > oneWeekAgo).length;
178
+ const lastWeekErrors = errorList.filter(e => {
179
+ const d = new Date(e.timestamp);
180
+ return d > twoWeeksAgo && d <= oneWeekAgo;
181
+ }).length;
182
+
183
+ const thisWeekSuccesses = successList.filter(s => {
184
+ const d = new Date(s.detectedAt || s.timestamp);
185
+ return d > oneWeekAgo;
186
+ }).length;
187
+
188
+ // Daily breakdown (last 7 days)
189
+ const daily = [];
190
+ for (let i = 6; i >= 0; i--) {
191
+ const date = new Date(now - i * 24 * 60 * 60 * 1000);
192
+ const dateStr = date.toISOString().split('T')[0];
193
+
194
+ const dayErrors = errorList.filter(e =>
195
+ e.timestamp && e.timestamp.startsWith(dateStr)
196
+ ).length;
197
+
198
+ const daySuccesses = successList.filter(s =>
199
+ (s.detectedAt || s.timestamp || '').startsWith(dateStr)
200
+ ).length;
201
+
202
+ daily.push({ date: dateStr, errors: dayErrors, successes: daySuccesses });
203
+ }
204
+
205
+ const errorTrend = lastWeekErrors > 0
206
+ ? Math.round(((thisWeekErrors - lastWeekErrors) / lastWeekErrors) * 100)
207
+ : 0;
208
+
209
+ let healthStatus = 'STABLE';
210
+ if (errorTrend < 0) healthStatus = 'IMPROVING';
211
+ else if (errorTrend > 20) healthStatus = 'DECLINING';
212
+
213
+ return {
214
+ thisWeek: { errors: thisWeekErrors, successes: thisWeekSuccesses },
215
+ lastWeek: { errors: lastWeekErrors },
216
+ trends: { errorChange: errorTrend },
217
+ healthStatus,
218
+ daily
219
+ };
220
+ }
221
+ };
222
+
223
+ // MIME types
224
+ const mimeTypes = {
225
+ '.html': 'text/html',
226
+ '.css': 'text/css',
227
+ '.js': 'application/javascript',
228
+ '.json': 'application/json',
229
+ '.png': 'image/png',
230
+ '.jpg': 'image/jpeg',
231
+ '.svg': 'image/svg+xml'
232
+ };
233
+
234
+ // Create server
235
+ function createServer(port) {
236
+ const server = http.createServer((req, res) => {
237
+ const url = req.url.split('?')[0];
238
+
239
+ // CORS headers for local development
240
+ res.setHeader('Access-Control-Allow-Origin', '*');
241
+ res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS');
242
+ res.setHeader('Access-Control-Allow-Headers', 'Content-Type');
243
+
244
+ // Handle API requests
245
+ if (url.startsWith('/api/')) {
246
+ const handler = api[url];
247
+ if (handler) {
248
+ res.setHeader('Content-Type', 'application/json');
249
+ res.writeHead(200);
250
+ res.end(JSON.stringify(handler()));
251
+ } else {
252
+ res.writeHead(404);
253
+ res.end(JSON.stringify({ error: 'Not found' }));
254
+ }
255
+ return;
256
+ }
257
+
258
+ // Serve static files
259
+ let filePath = url === '/' ? '/index.html' : url;
260
+ filePath = path.join(dashboardPath, filePath);
261
+
262
+ if (fs.existsSync(filePath)) {
263
+ const ext = path.extname(filePath);
264
+ const mimeType = mimeTypes[ext] || 'text/plain';
265
+
266
+ res.setHeader('Content-Type', mimeType);
267
+ res.writeHead(200);
268
+ res.end(fs.readFileSync(filePath));
269
+ } else {
270
+ res.writeHead(404);
271
+ res.end('Not found');
272
+ }
273
+ });
274
+
275
+ return server;
276
+ }
277
+
278
+ function startServer(port = 3030) {
279
+ const server = createServer(port);
280
+
281
+ server.listen(port, () => {
282
+ console.log(`${c.cyan}╔════════════════════════════════════════╗${c.reset}`);
283
+ console.log(`${c.cyan}║${c.reset} 🧠 Auto-Learn Dashboard Server ${c.cyan}║${c.reset}`);
284
+ console.log(`${c.cyan}╚════════════════════════════════════════╝${c.reset}\n`);
285
+ console.log(`${c.green}✓ Server running at:${c.reset}`);
286
+ console.log(` ${c.bold}http://localhost:${port}${c.reset}\n`);
287
+ console.log(`${c.gray}API Endpoints:${c.reset}`);
288
+ console.log(` GET /api/errors - Detected errors`);
289
+ console.log(` GET /api/corrections - User corrections`);
290
+ console.log(` GET /api/lessons - Lessons learned`);
291
+ console.log(` GET /api/patterns - Pattern analysis`);
292
+ console.log(` GET /api/summary - Dashboard summary\n`);
293
+ console.log(`${c.yellow}Press Ctrl+C to stop${c.reset}`);
294
+ });
295
+
296
+ server.on('error', (err) => {
297
+ if (err.code === 'EADDRINUSE') {
298
+ console.log(`${c.red}Error: Port ${port} is already in use${c.reset}`);
299
+ console.log(`${c.gray}Try: node dashboard_server.js --port ${port + 1}${c.reset}`);
300
+ } else {
301
+ console.error(`${c.red}Server error:${c.reset}`, err);
302
+ }
303
+ process.exit(1);
304
+ });
305
+
306
+ return server;
307
+ }
308
+
309
+ // Parse CLI args
310
+ const args = process.argv.slice(2);
311
+
312
+ if (args.includes('--start') || args.includes('-s') || args.length === 0 || args.includes('--port') || args.includes('-p')) {
313
+ let port = 3030;
314
+ const portIdx = args.findIndex(a => a === '--port' || a === '-p');
315
+ if (portIdx >= 0 && args[portIdx + 1]) {
316
+ port = parseInt(args[portIdx + 1], 10);
317
+ }
318
+ startServer(port);
319
+ } else if (args.includes('--help') || args.includes('-h')) {
320
+ console.log(`${c.cyan}dashboard_server - Auto-Learn Dashboard Web Server${c.reset}
321
+
322
+ ${c.bold}Usage:${c.reset}
323
+ node dashboard_server.js Start server (default port 3030)
324
+ node dashboard_server.js --port 8080 Start on custom port
325
+ node dashboard_server.js --help Show this help
326
+
327
+ ${c.bold}API Endpoints:${c.reset}
328
+ GET /api/errors - All detected errors
329
+ GET /api/corrections - All user corrections
330
+ GET /api/lessons - All lessons learned
331
+ GET /api/patterns - Pattern analysis results
332
+ GET /api/summary - Dashboard summary data
333
+
334
+ ${c.bold}Example:${c.reset}
335
+ node dashboard_server.js --port 3030
336
+ # Open http://localhost:3030 in browser
337
+ `);
338
+ }
339
+
340
+ export { createServer, startServer };