@nerviq/cli 0.9.5 → 0.9.6
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/bin/cli.js +40 -4
- package/package.json +2 -2
- package/src/audit.js +8 -1
- package/src/index.js +7 -0
- package/src/plugins.js +110 -0
- package/src/public-api.js +173 -0
- package/src/server.js +123 -0
package/bin/cli.js
CHANGED
|
@@ -8,6 +8,7 @@ const { getGovernanceSummary, printGovernanceSummary, ensureWritableProfile, ren
|
|
|
8
8
|
const { runBenchmark, printBenchmark, writeBenchmarkReport } = require('../src/benchmark');
|
|
9
9
|
const { writeSnapshotArtifact, recordRecommendationOutcome, formatRecommendationOutcomeSummary, getRecommendationOutcomeSummary } = require('../src/activity');
|
|
10
10
|
const { collectFeedback } = require('../src/feedback');
|
|
11
|
+
const { startServer } = require('../src/server');
|
|
11
12
|
const { version } = require('../package.json');
|
|
12
13
|
|
|
13
14
|
const args = process.argv.slice(2);
|
|
@@ -21,7 +22,7 @@ const COMMAND_ALIASES = {
|
|
|
21
22
|
gov: 'governance',
|
|
22
23
|
outcome: 'feedback',
|
|
23
24
|
};
|
|
24
|
-
const KNOWN_COMMANDS = ['audit', 'setup', 'augment', 'suggest-only', 'plan', 'apply', 'governance', 'benchmark', 'deep-review', 'interactive', 'watch', 'badge', 'insights', 'history', 'compare', 'trend', 'scan', 'feedback', 'doctor', 'convert', 'migrate', 'catalog', 'help', 'version'];
|
|
25
|
+
const KNOWN_COMMANDS = ['audit', 'setup', 'augment', 'suggest-only', 'plan', 'apply', 'governance', 'benchmark', 'deep-review', 'interactive', 'watch', 'badge', 'insights', 'history', 'compare', 'trend', 'scan', 'feedback', 'doctor', 'convert', 'migrate', 'catalog', 'serve', 'help', 'version'];
|
|
25
26
|
|
|
26
27
|
function levenshtein(a, b) {
|
|
27
28
|
const matrix = Array.from({ length: a.length + 1 }, () => Array(b.length + 1).fill(0));
|
|
@@ -72,6 +73,7 @@ function parseArgs(rawArgs) {
|
|
|
72
73
|
let feedbackScoreDelta = null;
|
|
73
74
|
let platform = 'claude';
|
|
74
75
|
let format = null;
|
|
76
|
+
let port = null;
|
|
75
77
|
let commandSet = false;
|
|
76
78
|
let extraArgs = [];
|
|
77
79
|
let convertFrom = null;
|
|
@@ -82,7 +84,7 @@ function parseArgs(rawArgs) {
|
|
|
82
84
|
for (let i = 0; i < rawArgs.length; i++) {
|
|
83
85
|
const arg = rawArgs[i];
|
|
84
86
|
|
|
85
|
-
if (arg === '--threshold' || arg === '--out' || arg === '--plan' || arg === '--only' || arg === '--profile' || arg === '--mcp-pack' || arg === '--require' || arg === '--key' || arg === '--status' || arg === '--effect' || arg === '--notes' || arg === '--source' || arg === '--score-delta' || arg === '--platform' || arg === '--format' || arg === '--from' || arg === '--to') {
|
|
87
|
+
if (arg === '--threshold' || arg === '--out' || arg === '--plan' || arg === '--only' || arg === '--profile' || arg === '--mcp-pack' || arg === '--require' || arg === '--key' || arg === '--status' || arg === '--effect' || arg === '--notes' || arg === '--source' || arg === '--score-delta' || arg === '--platform' || arg === '--format' || arg === '--from' || arg === '--to' || arg === '--port') {
|
|
86
88
|
const value = rawArgs[i + 1];
|
|
87
89
|
if (!value || value.startsWith('--')) {
|
|
88
90
|
throw new Error(`${arg} requires a value`);
|
|
@@ -104,6 +106,7 @@ function parseArgs(rawArgs) {
|
|
|
104
106
|
if (arg === '--format') format = value.trim().toLowerCase();
|
|
105
107
|
if (arg === '--from') { convertFrom = value.trim(); migrateFrom = value.trim(); }
|
|
106
108
|
if (arg === '--to') { convertTo = value.trim(); migrateTo = value.trim(); }
|
|
109
|
+
if (arg === '--port') port = value.trim();
|
|
107
110
|
i++;
|
|
108
111
|
continue;
|
|
109
112
|
}
|
|
@@ -183,6 +186,11 @@ function parseArgs(rawArgs) {
|
|
|
183
186
|
continue;
|
|
184
187
|
}
|
|
185
188
|
|
|
189
|
+
if (arg.startsWith('--port=')) {
|
|
190
|
+
port = arg.split('=').slice(1).join('=').trim();
|
|
191
|
+
continue;
|
|
192
|
+
}
|
|
193
|
+
|
|
186
194
|
if (arg.startsWith('--')) {
|
|
187
195
|
flags.push(arg);
|
|
188
196
|
continue;
|
|
@@ -198,7 +206,7 @@ function parseArgs(rawArgs) {
|
|
|
198
206
|
|
|
199
207
|
const normalizedCommand = COMMAND_ALIASES[command] || command;
|
|
200
208
|
|
|
201
|
-
return { flags, command, normalizedCommand, threshold, out, planFile, only, profile, mcpPacks, requireChecks, feedbackKey, feedbackStatus, feedbackEffect, feedbackNotes, feedbackSource, feedbackScoreDelta, platform, format, extraArgs, convertFrom, convertTo, migrateFrom, migrateTo };
|
|
209
|
+
return { flags, command, normalizedCommand, threshold, out, planFile, only, profile, mcpPacks, requireChecks, feedbackKey, feedbackStatus, feedbackEffect, feedbackNotes, feedbackSource, feedbackScoreDelta, platform, format, port, extraArgs, convertFrom, convertTo, migrateFrom, migrateTo };
|
|
202
210
|
}
|
|
203
211
|
|
|
204
212
|
const HELP = `
|
|
@@ -234,6 +242,7 @@ const HELP = `
|
|
|
234
242
|
npx nerviq deep-review AI-powered config review (opt-in, uses API)
|
|
235
243
|
npx nerviq interactive Step-by-step guided wizard
|
|
236
244
|
npx nerviq watch Live monitoring on config changes with cross-platform watch fallback
|
|
245
|
+
npx nerviq serve --port 3000 Start the local Nerviq HTTP API
|
|
237
246
|
npx nerviq badge Generate shields.io badge markdown
|
|
238
247
|
npx nerviq feedback Record recommendation outcomes or show local outcome summary
|
|
239
248
|
|
|
@@ -263,6 +272,7 @@ const HELP = `
|
|
|
263
272
|
--score-delta N Optional observed score delta tied to the outcome
|
|
264
273
|
--platform NAME Choose platform surface (claude default, codex advisory/build preview)
|
|
265
274
|
--format NAME Output format for audit results (json, sarif)
|
|
275
|
+
--port N Port for \`serve\` (default: 3000)
|
|
266
276
|
--feedback After audit output, prompt "Was this helpful? (y/n)" for each displayed top action and save answers locally
|
|
267
277
|
--snapshot Save a normalized snapshot artifact under .claude/nerviq/snapshots/
|
|
268
278
|
--lite Show a short top-3 quick scan with one clear next command
|
|
@@ -298,6 +308,7 @@ const HELP = `
|
|
|
298
308
|
npx nerviq benchmark --out benchmark.md
|
|
299
309
|
npx nerviq feedback
|
|
300
310
|
npx nerviq feedback --key permissionDeny --status accepted --effect positive --score-delta 12
|
|
311
|
+
npx nerviq serve --port 3000
|
|
301
312
|
npx nerviq --json --threshold 60
|
|
302
313
|
npx nerviq setup --auto
|
|
303
314
|
npx nerviq interactive
|
|
@@ -345,6 +356,7 @@ async function main() {
|
|
|
345
356
|
require: parsed.requireChecks,
|
|
346
357
|
platform: parsed.platform || 'claude',
|
|
347
358
|
format: parsed.format || null,
|
|
359
|
+
port: parsed.port !== null ? Number(parsed.port) : null,
|
|
348
360
|
dir: process.cwd()
|
|
349
361
|
};
|
|
350
362
|
|
|
@@ -358,6 +370,11 @@ async function main() {
|
|
|
358
370
|
process.exit(1);
|
|
359
371
|
}
|
|
360
372
|
|
|
373
|
+
if (options.port !== null && (!Number.isInteger(options.port) || options.port < 0 || options.port > 65535)) {
|
|
374
|
+
console.error('\n Error: --port must be an integer between 0 and 65535.\n');
|
|
375
|
+
process.exit(1);
|
|
376
|
+
}
|
|
377
|
+
|
|
361
378
|
if (options.threshold !== null && (!Number.isFinite(options.threshold) || options.threshold < 0 || options.threshold > 100)) {
|
|
362
379
|
console.error('\n Error: --threshold must be a number between 0 and 100.\n');
|
|
363
380
|
process.exit(1);
|
|
@@ -396,7 +413,7 @@ async function main() {
|
|
|
396
413
|
const FULL_COMMAND_SET = new Set([
|
|
397
414
|
'audit', 'scan', 'badge', 'augment', 'suggest-only', 'setup', 'plan', 'apply',
|
|
398
415
|
'governance', 'benchmark', 'deep-review', 'interactive', 'watch', 'insights',
|
|
399
|
-
'history', 'compare', 'trend', 'feedback', 'catalog', 'help', 'version',
|
|
416
|
+
'history', 'compare', 'trend', 'feedback', 'catalog', 'serve', 'help', 'version',
|
|
400
417
|
// Harmony + Synergy (cross-platform)
|
|
401
418
|
'harmony-audit', 'harmony-sync', 'harmony-drift', 'harmony-advise',
|
|
402
419
|
'harmony-watch', 'harmony-governance', 'synergy-report',
|
|
@@ -751,6 +768,25 @@ async function main() {
|
|
|
751
768
|
}
|
|
752
769
|
}
|
|
753
770
|
process.exit(0);
|
|
771
|
+
} else if (normalizedCommand === 'serve') {
|
|
772
|
+
const server = await startServer({
|
|
773
|
+
port: options.port == null ? 3000 : options.port,
|
|
774
|
+
baseDir: options.dir,
|
|
775
|
+
});
|
|
776
|
+
const address = server.address();
|
|
777
|
+
const resolvedPort = address && typeof address === 'object' ? address.port : options.port;
|
|
778
|
+
console.log('');
|
|
779
|
+
console.log(` nerviq API listening on http://127.0.0.1:${resolvedPort}`);
|
|
780
|
+
console.log(' Endpoints: /api/health, /api/catalog, /api/audit, /api/harmony');
|
|
781
|
+
console.log('');
|
|
782
|
+
|
|
783
|
+
const closeServer = () => {
|
|
784
|
+
server.close(() => process.exit(0));
|
|
785
|
+
};
|
|
786
|
+
|
|
787
|
+
process.on('SIGINT', closeServer);
|
|
788
|
+
process.on('SIGTERM', closeServer);
|
|
789
|
+
return;
|
|
754
790
|
} else if (normalizedCommand === 'doctor') {
|
|
755
791
|
const { runDoctor } = require('../src/doctor');
|
|
756
792
|
const output = await runDoctor({ dir: options.dir, json: options.json, verbose: options.verbose });
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@nerviq/cli",
|
|
3
|
-
"version": "0.9.
|
|
3
|
+
"version": "0.9.6",
|
|
4
4
|
"description": "The intelligent nervous system for AI coding agents — audit, align, and amplify every platform on every project.",
|
|
5
5
|
"main": "src/index.js",
|
|
6
6
|
"bin": {
|
|
@@ -20,7 +20,7 @@
|
|
|
20
20
|
"test": "node test/run.js",
|
|
21
21
|
"test:jest": "jest",
|
|
22
22
|
"test:coverage": "jest --coverage",
|
|
23
|
-
"test:all": "node test/run.js && node test/check-matrix.js && node test/codex-check-matrix.js && node test/golden-matrix.js && node test/codex-golden-matrix.js && node test/security-tests.js && jest",
|
|
23
|
+
"test:all": "node test/run.js && node test/check-matrix.js && node test/codex-check-matrix.js && node test/golden-matrix.js && node test/codex-golden-matrix.js && node test/gemini-check-matrix.js && node test/gemini-golden-matrix.js && node test/copilot-check-matrix.js && node test/copilot-golden-matrix.js && node test/cursor-check-matrix.js && node test/cursor-golden-matrix.js && node test/security-tests.js && jest",
|
|
24
24
|
"benchmark:perf": "node tools/benchmark.js",
|
|
25
25
|
"catalog": "node -e \"const {generateCatalog}=require('./src/catalog');console.log(JSON.stringify(generateCatalog(),null,2))\""
|
|
26
26
|
},
|
package/src/audit.js
CHANGED
|
@@ -26,6 +26,7 @@ const { getBadgeMarkdown } = require('./badge');
|
|
|
26
26
|
const { sendInsights, getLocalInsights } = require('./insights');
|
|
27
27
|
const { getRecommendationOutcomeSummary, getRecommendationAdjustment } = require('./activity');
|
|
28
28
|
const { formatSarif } = require('./formatters/sarif');
|
|
29
|
+
const { loadPlugins, mergePluginChecks } = require('./plugins');
|
|
29
30
|
|
|
30
31
|
const COLORS = {
|
|
31
32
|
reset: '\x1b[0m',
|
|
@@ -728,8 +729,14 @@ async function audit(options) {
|
|
|
728
729
|
const results = [];
|
|
729
730
|
const outcomeSummary = getRecommendationOutcomeSummary(options.dir);
|
|
730
731
|
|
|
732
|
+
// Load and merge plugin checks
|
|
733
|
+
const plugins = loadPlugins(options.dir);
|
|
734
|
+
const techniques = plugins.length > 0
|
|
735
|
+
? mergePluginChecks(spec.techniques, plugins)
|
|
736
|
+
: spec.techniques;
|
|
737
|
+
|
|
731
738
|
// Run all technique checks
|
|
732
|
-
for (const [key, technique] of Object.entries(
|
|
739
|
+
for (const [key, technique] of Object.entries(techniques)) {
|
|
733
740
|
const passed = technique.check(ctx);
|
|
734
741
|
const file = typeof technique.file === 'function' ? (technique.file(ctx) ?? null) : (technique.file ?? null);
|
|
735
742
|
const line = typeof technique.line === 'function' ? (technique.line(ctx) ?? null) : (technique.line ?? null);
|
package/src/index.js
CHANGED
|
@@ -87,6 +87,8 @@ const { setupOpenCode } = require('./opencode/setup');
|
|
|
87
87
|
const { getOpenCodeGovernanceSummary } = require('./opencode/governance');
|
|
88
88
|
const { runOpenCodeDeepReview } = require('./opencode/deep-review');
|
|
89
89
|
const { opencodeInteractive } = require('./opencode/interactive');
|
|
90
|
+
const { detectPlatforms, getCatalog, synergyReport } = require('./public-api');
|
|
91
|
+
const { createServer, startServer } = require('./server');
|
|
90
92
|
|
|
91
93
|
module.exports = {
|
|
92
94
|
audit,
|
|
@@ -96,6 +98,11 @@ module.exports = {
|
|
|
96
98
|
applyProposalBundle,
|
|
97
99
|
getGovernanceSummary,
|
|
98
100
|
runBenchmark,
|
|
101
|
+
detectPlatforms,
|
|
102
|
+
getCatalog,
|
|
103
|
+
synergyReport,
|
|
104
|
+
createServer,
|
|
105
|
+
startServer,
|
|
99
106
|
DOMAIN_PACKS,
|
|
100
107
|
detectDomainPacks,
|
|
101
108
|
MCP_PACKS,
|
package/src/plugins.js
ADDED
|
@@ -0,0 +1,110 @@
|
|
|
1
|
+
/**
|
|
2
|
+
* Plugin system for Nerviq.
|
|
3
|
+
* Allows users to extend audits with custom checks via nerviq.config.js.
|
|
4
|
+
*/
|
|
5
|
+
|
|
6
|
+
const fs = require('fs');
|
|
7
|
+
const path = require('path');
|
|
8
|
+
|
|
9
|
+
const REQUIRED_CHECK_FIELDS = ['id', 'name', 'check', 'impact', 'category', 'fix'];
|
|
10
|
+
const VALID_IMPACTS = ['critical', 'high', 'medium', 'low'];
|
|
11
|
+
|
|
12
|
+
/**
|
|
13
|
+
* Validate a single plugin object.
|
|
14
|
+
* Returns { valid: true } or { valid: false, errors: [...] }.
|
|
15
|
+
*/
|
|
16
|
+
function validatePlugin(plugin) {
|
|
17
|
+
const errors = [];
|
|
18
|
+
|
|
19
|
+
if (!plugin || typeof plugin !== 'object') {
|
|
20
|
+
return { valid: false, errors: ['Plugin must be a non-null object'] };
|
|
21
|
+
}
|
|
22
|
+
|
|
23
|
+
if (!plugin.name || typeof plugin.name !== 'string') {
|
|
24
|
+
errors.push('Plugin must have a non-empty string "name" field');
|
|
25
|
+
}
|
|
26
|
+
|
|
27
|
+
if (!plugin.checks || typeof plugin.checks !== 'object' || Array.isArray(plugin.checks)) {
|
|
28
|
+
errors.push('Plugin must have a "checks" object');
|
|
29
|
+
return { valid: false, errors };
|
|
30
|
+
}
|
|
31
|
+
|
|
32
|
+
for (const [key, check] of Object.entries(plugin.checks)) {
|
|
33
|
+
for (const field of REQUIRED_CHECK_FIELDS) {
|
|
34
|
+
if (check[field] === undefined || check[field] === null) {
|
|
35
|
+
errors.push(`Check "${key}" is missing required field "${field}"`);
|
|
36
|
+
}
|
|
37
|
+
}
|
|
38
|
+
|
|
39
|
+
if (typeof check.check !== 'function') {
|
|
40
|
+
errors.push(`Check "${key}" field "check" must be a function`);
|
|
41
|
+
}
|
|
42
|
+
|
|
43
|
+
if (check.impact && !VALID_IMPACTS.includes(check.impact)) {
|
|
44
|
+
errors.push(`Check "${key}" has invalid impact "${check.impact}". Must be one of: ${VALID_IMPACTS.join(', ')}`);
|
|
45
|
+
}
|
|
46
|
+
}
|
|
47
|
+
|
|
48
|
+
return errors.length > 0 ? { valid: false, errors } : { valid: true };
|
|
49
|
+
}
|
|
50
|
+
|
|
51
|
+
/**
|
|
52
|
+
* Load plugins from nerviq.config.js in the given directory.
|
|
53
|
+
* Returns an array of plugin objects, or [] if no config file exists.
|
|
54
|
+
*/
|
|
55
|
+
function loadPlugins(dir) {
|
|
56
|
+
const configPath = path.join(dir, 'nerviq.config.js');
|
|
57
|
+
|
|
58
|
+
if (!fs.existsSync(configPath)) {
|
|
59
|
+
return [];
|
|
60
|
+
}
|
|
61
|
+
|
|
62
|
+
let config;
|
|
63
|
+
try {
|
|
64
|
+
config = require(configPath);
|
|
65
|
+
} catch (err) {
|
|
66
|
+
console.error(`Failed to load nerviq.config.js: ${err.message}`);
|
|
67
|
+
return [];
|
|
68
|
+
}
|
|
69
|
+
|
|
70
|
+
if (!config || !Array.isArray(config.plugins)) {
|
|
71
|
+
return [];
|
|
72
|
+
}
|
|
73
|
+
|
|
74
|
+
const validPlugins = [];
|
|
75
|
+
for (const plugin of config.plugins) {
|
|
76
|
+
const result = validatePlugin(plugin);
|
|
77
|
+
if (result.valid) {
|
|
78
|
+
validPlugins.push(plugin);
|
|
79
|
+
} else {
|
|
80
|
+
console.error(`Plugin "${plugin && plugin.name || 'unknown'}" is invalid: ${result.errors.join('; ')}`);
|
|
81
|
+
}
|
|
82
|
+
}
|
|
83
|
+
|
|
84
|
+
return validPlugins;
|
|
85
|
+
}
|
|
86
|
+
|
|
87
|
+
/**
|
|
88
|
+
* Merge plugin checks into the existing techniques object.
|
|
89
|
+
* Plugin checks are prefixed with "plugin:" to avoid key collisions.
|
|
90
|
+
* Returns a new merged techniques object (does not mutate the original).
|
|
91
|
+
*/
|
|
92
|
+
function mergePluginChecks(techniques, plugins) {
|
|
93
|
+
const merged = { ...techniques };
|
|
94
|
+
|
|
95
|
+
for (const plugin of plugins) {
|
|
96
|
+
for (const [key, check] of Object.entries(plugin.checks)) {
|
|
97
|
+
const prefixedKey = `plugin:${plugin.name}:${key}`;
|
|
98
|
+
merged[prefixedKey] = {
|
|
99
|
+
...check,
|
|
100
|
+
pluginName: plugin.name,
|
|
101
|
+
sourceUrl: check.sourceUrl || null,
|
|
102
|
+
confidence: check.confidence !== undefined ? check.confidence : 0.5,
|
|
103
|
+
};
|
|
104
|
+
}
|
|
105
|
+
}
|
|
106
|
+
|
|
107
|
+
return merged;
|
|
108
|
+
}
|
|
109
|
+
|
|
110
|
+
module.exports = { loadPlugins, mergePluginChecks, validatePlugin };
|
|
@@ -0,0 +1,173 @@
|
|
|
1
|
+
const fs = require('fs');
|
|
2
|
+
const path = require('path');
|
|
3
|
+
const { audit } = require('./audit');
|
|
4
|
+
const { harmonyAudit } = require('./harmony/audit');
|
|
5
|
+
const { generateCatalog } = require('./catalog');
|
|
6
|
+
const { compoundAudit, calculateAmplification } = require('./synergy/evidence');
|
|
7
|
+
const { analyzeCompensation } = require('./synergy/compensation');
|
|
8
|
+
const { discoverPatterns } = require('./synergy/patterns');
|
|
9
|
+
const { rankRecommendations } = require('./synergy/ranking');
|
|
10
|
+
const { generateSynergyReport } = require('./synergy/report');
|
|
11
|
+
const { routeTask } = require('./synergy/routing');
|
|
12
|
+
const { CodexProjectContext } = require('./codex/context');
|
|
13
|
+
const { GeminiProjectContext } = require('./gemini/context');
|
|
14
|
+
const { CopilotProjectContext } = require('./copilot/context');
|
|
15
|
+
const { CursorProjectContext } = require('./cursor/context');
|
|
16
|
+
const { WindsurfProjectContext } = require('./windsurf/context');
|
|
17
|
+
const { AiderProjectContext } = require('./aider/context');
|
|
18
|
+
const { OpenCodeProjectContext } = require('./opencode/context');
|
|
19
|
+
|
|
20
|
+
const PLATFORM_ORDER = [
|
|
21
|
+
'claude',
|
|
22
|
+
'codex',
|
|
23
|
+
'gemini',
|
|
24
|
+
'copilot',
|
|
25
|
+
'cursor',
|
|
26
|
+
'windsurf',
|
|
27
|
+
'aider',
|
|
28
|
+
'opencode',
|
|
29
|
+
];
|
|
30
|
+
|
|
31
|
+
const PLATFORM_DETECTORS = {
|
|
32
|
+
claude: (dir) => exists(path.join(dir, 'CLAUDE.md')) || exists(path.join(dir, '.claude')),
|
|
33
|
+
codex: (dir) => CodexProjectContext.isCodexRepo(dir),
|
|
34
|
+
gemini: (dir) => GeminiProjectContext.isGeminiRepo(dir),
|
|
35
|
+
copilot: (dir) => CopilotProjectContext.isCopilotRepo(dir),
|
|
36
|
+
cursor: (dir) => CursorProjectContext.isCursorRepo(dir),
|
|
37
|
+
windsurf: (dir) => WindsurfProjectContext.isWindsurfRepo(dir),
|
|
38
|
+
aider: (dir) => AiderProjectContext.isAiderRepo(dir),
|
|
39
|
+
opencode: (dir) => OpenCodeProjectContext.isOpenCodeRepo(dir),
|
|
40
|
+
};
|
|
41
|
+
|
|
42
|
+
const IMPACT_SCORES = {
|
|
43
|
+
critical: 5,
|
|
44
|
+
high: 4,
|
|
45
|
+
medium: 3,
|
|
46
|
+
low: 2,
|
|
47
|
+
};
|
|
48
|
+
|
|
49
|
+
function exists(targetPath) {
|
|
50
|
+
try {
|
|
51
|
+
return fs.existsSync(targetPath);
|
|
52
|
+
} catch {
|
|
53
|
+
return false;
|
|
54
|
+
}
|
|
55
|
+
}
|
|
56
|
+
|
|
57
|
+
function resolveDir(dir) {
|
|
58
|
+
return path.resolve(dir || '.');
|
|
59
|
+
}
|
|
60
|
+
|
|
61
|
+
function detectPlatforms(dir) {
|
|
62
|
+
const resolvedDir = resolveDir(dir);
|
|
63
|
+
return PLATFORM_ORDER.filter((platform) => {
|
|
64
|
+
const detect = PLATFORM_DETECTORS[platform];
|
|
65
|
+
return typeof detect === 'function' ? detect(resolvedDir) : false;
|
|
66
|
+
});
|
|
67
|
+
}
|
|
68
|
+
|
|
69
|
+
function getCatalog() {
|
|
70
|
+
return generateCatalog();
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
function buildPatternHistory(dir, platformAudits) {
|
|
74
|
+
const timestamp = new Date().toISOString();
|
|
75
|
+
return Object.entries(platformAudits).map(([platform, result]) => ({
|
|
76
|
+
dir,
|
|
77
|
+
platform,
|
|
78
|
+
score: result.score,
|
|
79
|
+
findings: result.results || [],
|
|
80
|
+
timestamp,
|
|
81
|
+
}));
|
|
82
|
+
}
|
|
83
|
+
|
|
84
|
+
function buildRecommendationPool(platformAudits, compensation) {
|
|
85
|
+
const recommendations = [];
|
|
86
|
+
|
|
87
|
+
for (const [platform, result] of Object.entries(platformAudits)) {
|
|
88
|
+
const topActions = Array.isArray(result.topNextActions) ? result.topNextActions : [];
|
|
89
|
+
for (const action of topActions) {
|
|
90
|
+
recommendations.push({
|
|
91
|
+
key: action.key,
|
|
92
|
+
name: action.name,
|
|
93
|
+
description: action.fix,
|
|
94
|
+
impact: action.impact,
|
|
95
|
+
sourcePlatform: platform,
|
|
96
|
+
applicablePlatforms: [platform],
|
|
97
|
+
validatedOn: [platform],
|
|
98
|
+
baseScore: IMPACT_SCORES[action.impact] || 1,
|
|
99
|
+
});
|
|
100
|
+
}
|
|
101
|
+
}
|
|
102
|
+
|
|
103
|
+
for (const addition of compensation.recommendedAdditions || []) {
|
|
104
|
+
recommendations.push({
|
|
105
|
+
key: `add-${addition.platform}`,
|
|
106
|
+
name: `Add ${addition.platform}`,
|
|
107
|
+
description: `Covers ${addition.wouldCover.map((item) => item.label).join(', ')}`,
|
|
108
|
+
impact: addition.wouldCover.length >= 2 ? 'high' : 'medium',
|
|
109
|
+
sourcePlatform: addition.platform,
|
|
110
|
+
applicablePlatforms: [addition.platform],
|
|
111
|
+
validatedOn: [],
|
|
112
|
+
fillsGap: true,
|
|
113
|
+
baseScore: Math.max(2, Math.min(5, Math.round(addition.estimatedBenefit / Math.max(1, addition.wouldCover.length)))),
|
|
114
|
+
});
|
|
115
|
+
}
|
|
116
|
+
|
|
117
|
+
return recommendations;
|
|
118
|
+
}
|
|
119
|
+
|
|
120
|
+
async function synergyReport(dir) {
|
|
121
|
+
const resolvedDir = resolveDir(dir);
|
|
122
|
+
const activePlatforms = detectPlatforms(resolvedDir);
|
|
123
|
+
const platformAudits = {};
|
|
124
|
+
const errors = [];
|
|
125
|
+
|
|
126
|
+
for (const platform of activePlatforms) {
|
|
127
|
+
try {
|
|
128
|
+
platformAudits[platform] = await audit({
|
|
129
|
+
dir: resolvedDir,
|
|
130
|
+
platform,
|
|
131
|
+
silent: true,
|
|
132
|
+
});
|
|
133
|
+
} catch (error) {
|
|
134
|
+
errors.push({ platform, message: error.message });
|
|
135
|
+
}
|
|
136
|
+
}
|
|
137
|
+
|
|
138
|
+
const compound = compoundAudit(platformAudits);
|
|
139
|
+
const amplification = calculateAmplification(platformAudits);
|
|
140
|
+
const compensation = analyzeCompensation(activePlatforms, platformAudits);
|
|
141
|
+
const patterns = discoverPatterns(buildPatternHistory(resolvedDir, platformAudits)).patterns;
|
|
142
|
+
const recommendations = rankRecommendations(
|
|
143
|
+
buildRecommendationPool(platformAudits, compensation),
|
|
144
|
+
activePlatforms
|
|
145
|
+
);
|
|
146
|
+
const report = generateSynergyReport({
|
|
147
|
+
platformAudits,
|
|
148
|
+
activePlatforms,
|
|
149
|
+
recommendations,
|
|
150
|
+
});
|
|
151
|
+
|
|
152
|
+
return {
|
|
153
|
+
dir: resolvedDir,
|
|
154
|
+
activePlatforms,
|
|
155
|
+
platformAudits,
|
|
156
|
+
compound,
|
|
157
|
+
amplification,
|
|
158
|
+
compensation,
|
|
159
|
+
patterns,
|
|
160
|
+
recommendations,
|
|
161
|
+
errors,
|
|
162
|
+
report,
|
|
163
|
+
};
|
|
164
|
+
}
|
|
165
|
+
|
|
166
|
+
module.exports = {
|
|
167
|
+
audit,
|
|
168
|
+
harmonyAudit,
|
|
169
|
+
detectPlatforms,
|
|
170
|
+
getCatalog,
|
|
171
|
+
routeTask,
|
|
172
|
+
synergyReport,
|
|
173
|
+
};
|
package/src/server.js
ADDED
|
@@ -0,0 +1,123 @@
|
|
|
1
|
+
const http = require('http');
|
|
2
|
+
const fs = require('fs');
|
|
3
|
+
const path = require('path');
|
|
4
|
+
const { URL } = require('url');
|
|
5
|
+
const { version } = require('../package.json');
|
|
6
|
+
const { audit } = require('./audit');
|
|
7
|
+
const { harmonyAudit } = require('./harmony/audit');
|
|
8
|
+
const { getCatalog } = require('./public-api');
|
|
9
|
+
|
|
10
|
+
const SUPPORTED_PLATFORMS = new Set([
|
|
11
|
+
'claude',
|
|
12
|
+
'codex',
|
|
13
|
+
'gemini',
|
|
14
|
+
'copilot',
|
|
15
|
+
'cursor',
|
|
16
|
+
'windsurf',
|
|
17
|
+
'aider',
|
|
18
|
+
'opencode',
|
|
19
|
+
]);
|
|
20
|
+
|
|
21
|
+
function sendJson(res, statusCode, payload) {
|
|
22
|
+
const body = JSON.stringify(payload, null, 2);
|
|
23
|
+
res.writeHead(statusCode, {
|
|
24
|
+
'Content-Type': 'application/json; charset=utf-8',
|
|
25
|
+
'Content-Length': Buffer.byteLength(body),
|
|
26
|
+
'Cache-Control': 'no-store',
|
|
27
|
+
});
|
|
28
|
+
res.end(body);
|
|
29
|
+
}
|
|
30
|
+
|
|
31
|
+
function resolveRequestDir(baseDir, rawDir) {
|
|
32
|
+
const requested = rawDir || '.';
|
|
33
|
+
const resolved = path.isAbsolute(requested)
|
|
34
|
+
? requested
|
|
35
|
+
: path.resolve(baseDir, requested);
|
|
36
|
+
|
|
37
|
+
if (!fs.existsSync(resolved)) {
|
|
38
|
+
const error = new Error(`Directory not found: ${resolved}`);
|
|
39
|
+
error.statusCode = 400;
|
|
40
|
+
throw error;
|
|
41
|
+
}
|
|
42
|
+
|
|
43
|
+
return resolved;
|
|
44
|
+
}
|
|
45
|
+
|
|
46
|
+
function normalizePlatform(rawPlatform) {
|
|
47
|
+
const platform = (rawPlatform || 'claude').toLowerCase();
|
|
48
|
+
if (!SUPPORTED_PLATFORMS.has(platform)) {
|
|
49
|
+
const error = new Error(`Unsupported platform '${rawPlatform}'.`);
|
|
50
|
+
error.statusCode = 400;
|
|
51
|
+
throw error;
|
|
52
|
+
}
|
|
53
|
+
return platform;
|
|
54
|
+
}
|
|
55
|
+
|
|
56
|
+
function createServer(options = {}) {
|
|
57
|
+
const baseDir = path.resolve(options.baseDir || process.cwd());
|
|
58
|
+
|
|
59
|
+
return http.createServer(async (req, res) => {
|
|
60
|
+
const requestUrl = new URL(req.url || '/', 'http://127.0.0.1');
|
|
61
|
+
|
|
62
|
+
if (req.method !== 'GET') {
|
|
63
|
+
sendJson(res, 405, { error: 'Method not allowed' });
|
|
64
|
+
return;
|
|
65
|
+
}
|
|
66
|
+
|
|
67
|
+
try {
|
|
68
|
+
if (requestUrl.pathname === '/api/health') {
|
|
69
|
+
sendJson(res, 200, {
|
|
70
|
+
status: 'ok',
|
|
71
|
+
version,
|
|
72
|
+
checks: getCatalog().length,
|
|
73
|
+
});
|
|
74
|
+
return;
|
|
75
|
+
}
|
|
76
|
+
|
|
77
|
+
if (requestUrl.pathname === '/api/catalog') {
|
|
78
|
+
sendJson(res, 200, getCatalog());
|
|
79
|
+
return;
|
|
80
|
+
}
|
|
81
|
+
|
|
82
|
+
if (requestUrl.pathname === '/api/audit') {
|
|
83
|
+
const dir = resolveRequestDir(baseDir, requestUrl.searchParams.get('dir'));
|
|
84
|
+
const platform = normalizePlatform(requestUrl.searchParams.get('platform'));
|
|
85
|
+
const result = await audit({ dir, platform, silent: true });
|
|
86
|
+
sendJson(res, 200, result);
|
|
87
|
+
return;
|
|
88
|
+
}
|
|
89
|
+
|
|
90
|
+
if (requestUrl.pathname === '/api/harmony') {
|
|
91
|
+
const dir = resolveRequestDir(baseDir, requestUrl.searchParams.get('dir'));
|
|
92
|
+
const result = await harmonyAudit({ dir, silent: true });
|
|
93
|
+
sendJson(res, 200, result);
|
|
94
|
+
return;
|
|
95
|
+
}
|
|
96
|
+
|
|
97
|
+
sendJson(res, 404, { error: 'Not found' });
|
|
98
|
+
} catch (error) {
|
|
99
|
+
sendJson(res, error.statusCode || 500, {
|
|
100
|
+
error: error.message,
|
|
101
|
+
});
|
|
102
|
+
}
|
|
103
|
+
});
|
|
104
|
+
}
|
|
105
|
+
|
|
106
|
+
function startServer(options = {}) {
|
|
107
|
+
const port = options.port == null ? 3000 : Number(options.port);
|
|
108
|
+
const host = options.host || '127.0.0.1';
|
|
109
|
+
const server = createServer(options);
|
|
110
|
+
|
|
111
|
+
return new Promise((resolve, reject) => {
|
|
112
|
+
server.once('error', reject);
|
|
113
|
+
server.listen(port, host, () => {
|
|
114
|
+
server.off('error', reject);
|
|
115
|
+
resolve(server);
|
|
116
|
+
});
|
|
117
|
+
});
|
|
118
|
+
}
|
|
119
|
+
|
|
120
|
+
module.exports = {
|
|
121
|
+
createServer,
|
|
122
|
+
startServer,
|
|
123
|
+
};
|