@aiready/cli 0.14.9 → 0.14.11

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.
@@ -0,0 +1,307 @@
1
+ var __require = /* @__PURE__ */ ((x) => typeof require !== "undefined" ? require : typeof Proxy !== "undefined" ? new Proxy(x, {
2
+ get: (a, b) => (typeof require !== "undefined" ? require : a)[b]
3
+ }) : x)(function(x) {
4
+ if (typeof require !== "undefined") return require.apply(this, arguments);
5
+ throw Error('Dynamic require of "' + x + '" is not supported');
6
+ });
7
+
8
+ // src/index.ts
9
+ import {
10
+ ToolRegistry,
11
+ ToolName,
12
+ calculateOverallScore,
13
+ calculateTokenBudget,
14
+ GLOBAL_INFRA_OPTIONS,
15
+ COMMON_FINE_TUNING_OPTIONS,
16
+ initializeParsers
17
+ } from "@aiready/core";
18
+ import "@aiready/pattern-detect";
19
+ import "@aiready/context-analyzer";
20
+ import "@aiready/consistency";
21
+ import "@aiready/ai-signal-clarity";
22
+ import "@aiready/agent-grounding";
23
+ import "@aiready/testability";
24
+ import "@aiready/doc-drift";
25
+ import "@aiready/deps";
26
+ import "@aiready/change-amplification";
27
+ var TOOL_PACKAGE_MAP = {
28
+ [ToolName.PatternDetect]: "@aiready/pattern-detect",
29
+ [ToolName.ContextAnalyzer]: "@aiready/context-analyzer",
30
+ [ToolName.NamingConsistency]: "@aiready/consistency",
31
+ [ToolName.AiSignalClarity]: "@aiready/ai-signal-clarity",
32
+ [ToolName.AgentGrounding]: "@aiready/agent-grounding",
33
+ [ToolName.TestabilityIndex]: "@aiready/testability",
34
+ [ToolName.DocDrift]: "@aiready/doc-drift",
35
+ [ToolName.DependencyHealth]: "@aiready/deps",
36
+ [ToolName.ChangeAmplification]: "@aiready/change-amplification",
37
+ // Aliases handled by registry
38
+ patterns: "@aiready/pattern-detect",
39
+ duplicates: "@aiready/pattern-detect",
40
+ context: "@aiready/context-analyzer",
41
+ fragmentation: "@aiready/context-analyzer",
42
+ consistency: "@aiready/consistency",
43
+ "ai-signal": "@aiready/ai-signal-clarity",
44
+ grounding: "@aiready/agent-grounding",
45
+ testability: "@aiready/testability",
46
+ "deps-health": "@aiready/deps",
47
+ "change-amp": "@aiready/change-amplification"
48
+ };
49
+ function sanitizeConfigRecursive(obj) {
50
+ if (!obj || typeof obj !== "object" || Array.isArray(obj)) return obj;
51
+ const sanitized = {};
52
+ const infraToStrip = [
53
+ "rootDir",
54
+ "onProgress",
55
+ "progressCallback",
56
+ "streamResults",
57
+ "batchSize",
58
+ "useSmartDefaults"
59
+ ];
60
+ for (const [key, value] of Object.entries(obj)) {
61
+ if (infraToStrip.includes(key)) continue;
62
+ if (typeof value === "object" && value !== null && !Array.isArray(value)) {
63
+ sanitized[key] = sanitizeConfigRecursive(value);
64
+ } else {
65
+ sanitized[key] = value;
66
+ }
67
+ }
68
+ return sanitized;
69
+ }
70
+ function sanitizeToolConfig(config) {
71
+ return sanitizeConfigRecursive(config);
72
+ }
73
+ async function analyzeUnified(options) {
74
+ await initializeParsers();
75
+ const startTime = Date.now();
76
+ const requestedTools = options.tools ?? [
77
+ "patterns",
78
+ "context",
79
+ "consistency"
80
+ ];
81
+ const result = {
82
+ summary: {
83
+ totalIssues: 0,
84
+ criticalIssues: 0,
85
+ // Added as per instruction
86
+ majorIssues: 0,
87
+ // Added as per instruction
88
+ totalFiles: 0,
89
+ toolsRun: [],
90
+ executionTime: 0,
91
+ config: options,
92
+ toolConfigs: {}
93
+ }
94
+ };
95
+ for (const toolName of requestedTools) {
96
+ let provider = ToolRegistry.find(toolName);
97
+ if (!provider) {
98
+ const packageName = TOOL_PACKAGE_MAP[toolName] ?? (toolName.startsWith("@aiready/") ? toolName : `@aiready/${toolName}`);
99
+ try {
100
+ await import(packageName);
101
+ provider = ToolRegistry.find(toolName);
102
+ if (provider) {
103
+ console.log(
104
+ `\u2705 Successfully loaded tool provider: ${toolName} from ${packageName}`
105
+ );
106
+ } else {
107
+ console.log(
108
+ `\u26A0\uFE0F Loaded ${packageName} but provider ${toolName} still not found in registry.`
109
+ );
110
+ }
111
+ } catch (err) {
112
+ console.log(
113
+ `\u274C Failed to dynamically load tool ${toolName} (${packageName}):`,
114
+ err.message
115
+ );
116
+ }
117
+ }
118
+ if (!provider) {
119
+ console.warn(
120
+ `\u26A0\uFE0F Warning: Tool provider for '${toolName}' not found. Skipping.`
121
+ );
122
+ continue;
123
+ }
124
+ try {
125
+ const sanitizedOptions = { ...options };
126
+ delete sanitizedOptions.onProgress;
127
+ delete sanitizedOptions.progressCallback;
128
+ const toolOptions = {
129
+ rootDir: options.rootDir
130
+ // Always include rootDir
131
+ };
132
+ [...GLOBAL_INFRA_OPTIONS, ...COMMON_FINE_TUNING_OPTIONS].forEach(
133
+ (key) => {
134
+ if (key in options && key !== "toolConfigs" && key !== "tools") {
135
+ toolOptions[key] = options[key];
136
+ }
137
+ }
138
+ );
139
+ if (options.toolConfigs?.[provider.id]) {
140
+ Object.assign(toolOptions, options.toolConfigs[provider.id]);
141
+ } else if (options.tools && !Array.isArray(options.tools) && typeof options.tools === "object" && options.tools[provider.id]) {
142
+ Object.assign(toolOptions, options.tools[provider.id]);
143
+ } else if (options[provider.id]) {
144
+ Object.assign(toolOptions, options[provider.id]);
145
+ }
146
+ toolOptions.onProgress = (processed, total, message) => {
147
+ if (options.progressCallback) {
148
+ options.progressCallback({
149
+ tool: provider.id,
150
+ processed,
151
+ total,
152
+ message
153
+ });
154
+ }
155
+ };
156
+ const output = await provider.analyze(toolOptions);
157
+ if (output.metadata) {
158
+ output.metadata.config = sanitizeToolConfig(toolOptions);
159
+ }
160
+ if (options.progressCallback) {
161
+ options.progressCallback({ tool: provider.id, data: output });
162
+ }
163
+ result[provider.id] = output;
164
+ result.summary.toolsRun.push(provider.id);
165
+ if (output.summary?.config) {
166
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(
167
+ output.summary.config
168
+ );
169
+ } else if (output.metadata?.config) {
170
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(
171
+ output.metadata.config
172
+ );
173
+ } else {
174
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(toolOptions);
175
+ }
176
+ const toolFiles = output.summary?.totalFiles ?? output.summary?.filesAnalyzed ?? 0;
177
+ if (toolFiles > result.summary.totalFiles) {
178
+ result.summary.totalFiles = toolFiles;
179
+ }
180
+ const issueCount = output.results.reduce(
181
+ (sum, file) => sum + (file.issues?.length ?? 0),
182
+ 0
183
+ );
184
+ result.summary.totalIssues += issueCount;
185
+ } catch (err) {
186
+ console.error(`\u274C Error running tool '${provider.id}':`, err);
187
+ }
188
+ }
189
+ result.summary.config = sanitizeConfigRecursive({
190
+ scan: {
191
+ tools: requestedTools,
192
+ include: options.include,
193
+ exclude: options.exclude
194
+ },
195
+ // Use 'tools' for tool-specific configurations to match AIReadyConfig
196
+ tools: result.summary.toolConfigs
197
+ });
198
+ result.summary.executionTime = Date.now() - startTime;
199
+ const keyMappings = {
200
+ "pattern-detect": ["patternDetect", "patterns"],
201
+ "context-analyzer": ["contextAnalyzer", "context"],
202
+ "naming-consistency": ["namingConsistency", "consistency"],
203
+ "ai-signal-clarity": ["aiSignalClarity"],
204
+ "agent-grounding": ["agentGrounding"],
205
+ "testability-index": ["testabilityIndex", "testability"],
206
+ "doc-drift": ["docDrift"],
207
+ "dependency-health": ["dependencyHealth", "deps"],
208
+ "change-amplification": ["changeAmplification"]
209
+ };
210
+ for (const [kebabKey, aliases] of Object.entries(keyMappings)) {
211
+ if (result[kebabKey]) {
212
+ for (const alias of aliases) {
213
+ result[alias] = result[kebabKey];
214
+ }
215
+ }
216
+ }
217
+ return result;
218
+ }
219
+ async function scoreUnified(results, options) {
220
+ const toolScores = /* @__PURE__ */ new Map();
221
+ for (const toolId of results.summary.toolsRun) {
222
+ const provider = ToolRegistry.get(toolId);
223
+ if (!provider) continue;
224
+ const output = results[toolId];
225
+ if (!output) continue;
226
+ try {
227
+ const toolScore = provider.score(output, options);
228
+ if (!toolScore.tokenBudget) {
229
+ if (toolId === ToolName.PatternDetect && output.duplicates) {
230
+ const wastedTokens = output.duplicates.reduce(
231
+ (sum, d) => sum + (d.tokenCost ?? 0),
232
+ 0
233
+ );
234
+ toolScore.tokenBudget = calculateTokenBudget({
235
+ totalContextTokens: wastedTokens * 2,
236
+ wastedTokens: {
237
+ duplication: wastedTokens,
238
+ fragmentation: 0,
239
+ chattiness: 0
240
+ }
241
+ });
242
+ } else if (toolId === ToolName.ContextAnalyzer && output.summary) {
243
+ toolScore.tokenBudget = calculateTokenBudget({
244
+ totalContextTokens: output.summary.totalTokens,
245
+ wastedTokens: {
246
+ duplication: 0,
247
+ fragmentation: output.summary.totalPotentialSavings ?? 0,
248
+ chattiness: 0
249
+ }
250
+ });
251
+ }
252
+ }
253
+ toolScores.set(toolId, toolScore);
254
+ } catch (err) {
255
+ console.error(`\u274C Error scoring tool '${toolId}':`, err);
256
+ }
257
+ }
258
+ if (toolScores.size === 0) {
259
+ return {
260
+ overall: 0,
261
+ rating: "Critical",
262
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
263
+ toolsUsed: [],
264
+ breakdown: [],
265
+ calculation: {
266
+ formula: "0 / 0 = 0",
267
+ weights: {},
268
+ normalized: "0 / 0 = 0"
269
+ }
270
+ };
271
+ }
272
+ return calculateOverallScore(toolScores, options, void 0);
273
+ }
274
+ function generateUnifiedSummary(result) {
275
+ const { summary } = result;
276
+ let output = `\u{1F680} AIReady Analysis Complete
277
+
278
+ `;
279
+ output += `\u{1F4CA} Summary:
280
+ `;
281
+ output += ` Tools run: ${summary.toolsRun.join(", ")}
282
+ `;
283
+ output += ` Total issues found: ${summary.totalIssues}
284
+ `;
285
+ output += ` Execution time: ${(summary.executionTime / 1e3).toFixed(2)}s
286
+
287
+ `;
288
+ for (const provider of ToolRegistry.getAll()) {
289
+ const toolResult = result[provider.id];
290
+ if (toolResult) {
291
+ const issueCount = toolResult.results.reduce(
292
+ (sum, r) => sum + (r.issues?.length ?? 0),
293
+ 0
294
+ );
295
+ output += `\u2022 ${provider.id}: ${issueCount} issues
296
+ `;
297
+ }
298
+ }
299
+ return output;
300
+ }
301
+
302
+ export {
303
+ __require,
304
+ analyzeUnified,
305
+ scoreUnified,
306
+ generateUnifiedSummary
307
+ };
@@ -0,0 +1,303 @@
1
+ var __require = /* @__PURE__ */ ((x) => typeof require !== "undefined" ? require : typeof Proxy !== "undefined" ? new Proxy(x, {
2
+ get: (a, b) => (typeof require !== "undefined" ? require : a)[b]
3
+ }) : x)(function(x) {
4
+ if (typeof require !== "undefined") return require.apply(this, arguments);
5
+ throw Error('Dynamic require of "' + x + '" is not supported');
6
+ });
7
+
8
+ // src/index.ts
9
+ import {
10
+ ToolRegistry,
11
+ ToolName,
12
+ calculateOverallScore,
13
+ calculateTokenBudget,
14
+ GLOBAL_INFRA_OPTIONS,
15
+ COMMON_FINE_TUNING_OPTIONS,
16
+ initializeParsers
17
+ } from "@aiready/core";
18
+ import "@aiready/pattern-detect";
19
+ import "@aiready/context-analyzer";
20
+ import "@aiready/consistency";
21
+ import "@aiready/ai-signal-clarity";
22
+ import "@aiready/agent-grounding";
23
+ import "@aiready/testability";
24
+ import "@aiready/doc-drift";
25
+ import "@aiready/deps";
26
+ import "@aiready/change-amplification";
27
+ var TOOL_PACKAGE_MAP = {
28
+ [ToolName.PatternDetect]: "@aiready/pattern-detect",
29
+ [ToolName.ContextAnalyzer]: "@aiready/context-analyzer",
30
+ [ToolName.NamingConsistency]: "@aiready/consistency",
31
+ [ToolName.AiSignalClarity]: "@aiready/ai-signal-clarity",
32
+ [ToolName.AgentGrounding]: "@aiready/agent-grounding",
33
+ [ToolName.TestabilityIndex]: "@aiready/testability",
34
+ [ToolName.DocDrift]: "@aiready/doc-drift",
35
+ [ToolName.DependencyHealth]: "@aiready/deps",
36
+ [ToolName.ChangeAmplification]: "@aiready/change-amplification",
37
+ // Aliases handled by registry
38
+ patterns: "@aiready/pattern-detect",
39
+ duplicates: "@aiready/pattern-detect",
40
+ context: "@aiready/context-analyzer",
41
+ fragmentation: "@aiready/context-analyzer",
42
+ consistency: "@aiready/consistency",
43
+ "ai-signal": "@aiready/ai-signal-clarity",
44
+ grounding: "@aiready/agent-grounding",
45
+ testability: "@aiready/testability",
46
+ "deps-health": "@aiready/deps",
47
+ "change-amp": "@aiready/change-amplification"
48
+ };
49
+ function sanitizeConfigRecursive(obj) {
50
+ if (!obj || typeof obj !== "object" || Array.isArray(obj)) return obj;
51
+ const sanitized = {};
52
+ const infraToStrip = [
53
+ "rootDir",
54
+ "onProgress",
55
+ "progressCallback",
56
+ "streamResults",
57
+ "batchSize",
58
+ "useSmartDefaults"
59
+ ];
60
+ for (const [key, value] of Object.entries(obj)) {
61
+ if (infraToStrip.includes(key)) continue;
62
+ if (typeof value === "object" && value !== null && !Array.isArray(value)) {
63
+ sanitized[key] = sanitizeConfigRecursive(value);
64
+ } else {
65
+ sanitized[key] = value;
66
+ }
67
+ }
68
+ return sanitized;
69
+ }
70
+ function sanitizeToolConfig(config) {
71
+ return sanitizeConfigRecursive(config);
72
+ }
73
+ async function analyzeUnified(options) {
74
+ await initializeParsers();
75
+ const startTime = Date.now();
76
+ const requestedTools = options.tools || [
77
+ "patterns",
78
+ "context",
79
+ "consistency"
80
+ ];
81
+ const result = {
82
+ summary: {
83
+ totalIssues: 0,
84
+ criticalIssues: 0,
85
+ // Added as per instruction
86
+ majorIssues: 0,
87
+ // Added as per instruction
88
+ totalFiles: 0,
89
+ toolsRun: [],
90
+ executionTime: 0,
91
+ config: options,
92
+ toolConfigs: {}
93
+ }
94
+ };
95
+ for (const toolName of requestedTools) {
96
+ let provider = ToolRegistry.find(toolName);
97
+ if (!provider) {
98
+ const packageName = TOOL_PACKAGE_MAP[toolName] || (toolName.startsWith("@aiready/") ? toolName : `@aiready/${toolName}`);
99
+ try {
100
+ await import(packageName);
101
+ provider = ToolRegistry.find(toolName);
102
+ if (provider) {
103
+ console.log(
104
+ `\u2705 Successfully loaded tool provider: ${toolName} from ${packageName}`
105
+ );
106
+ } else {
107
+ console.log(
108
+ `\u26A0\uFE0F Loaded ${packageName} but provider ${toolName} still not found in registry.`
109
+ );
110
+ }
111
+ } catch (err) {
112
+ console.log(
113
+ `\u274C Failed to dynamically load tool ${toolName} (${packageName}):`,
114
+ err.message
115
+ );
116
+ }
117
+ }
118
+ if (!provider) {
119
+ console.warn(
120
+ `\u26A0\uFE0F Warning: Tool provider for '${toolName}' not found. Skipping.`
121
+ );
122
+ continue;
123
+ }
124
+ try {
125
+ const sanitizedOptions = { ...options };
126
+ delete sanitizedOptions.onProgress;
127
+ delete sanitizedOptions.progressCallback;
128
+ const toolOptions = {
129
+ rootDir: options.rootDir
130
+ // Always include rootDir
131
+ };
132
+ [...GLOBAL_INFRA_OPTIONS, ...COMMON_FINE_TUNING_OPTIONS].forEach(
133
+ (key) => {
134
+ if (key in options && key !== "toolConfigs" && key !== "tools") {
135
+ toolOptions[key] = options[key];
136
+ }
137
+ }
138
+ );
139
+ if (options.toolConfigs?.[provider.id]) {
140
+ Object.assign(toolOptions, options.toolConfigs[provider.id]);
141
+ } else if (options.tools && !Array.isArray(options.tools) && typeof options.tools === "object" && options.tools[provider.id]) {
142
+ Object.assign(toolOptions, options.tools[provider.id]);
143
+ } else if (options[provider.id]) {
144
+ Object.assign(toolOptions, options[provider.id]);
145
+ }
146
+ toolOptions.onProgress = (processed, total, message) => {
147
+ if (options.progressCallback) {
148
+ options.progressCallback({
149
+ tool: provider.id,
150
+ processed,
151
+ total,
152
+ message
153
+ });
154
+ }
155
+ };
156
+ const output = await provider.analyze(toolOptions);
157
+ if (output.metadata) {
158
+ output.metadata.config = sanitizeToolConfig(toolOptions);
159
+ }
160
+ if (options.progressCallback) {
161
+ options.progressCallback({ tool: provider.id, data: output });
162
+ }
163
+ result[provider.id] = output;
164
+ result.summary.toolsRun.push(provider.id);
165
+ if (output.summary?.config) {
166
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(
167
+ output.summary.config
168
+ );
169
+ } else if (output.metadata?.config) {
170
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(
171
+ output.metadata.config
172
+ );
173
+ } else {
174
+ result.summary.toolConfigs[provider.id] = sanitizeToolConfig(toolOptions);
175
+ }
176
+ const toolFiles = output.summary?.totalFiles || output.summary?.filesAnalyzed || 0;
177
+ if (toolFiles > result.summary.totalFiles) {
178
+ result.summary.totalFiles = toolFiles;
179
+ }
180
+ const issueCount = output.results.reduce(
181
+ (sum, file) => sum + (file.issues?.length || 0),
182
+ 0
183
+ );
184
+ result.summary.totalIssues += issueCount;
185
+ if (provider.alias && Array.isArray(provider.alias)) {
186
+ for (const alias of provider.alias) {
187
+ if (!result[alias]) {
188
+ result[alias] = output;
189
+ }
190
+ }
191
+ }
192
+ const camelCaseId = provider.id.replace(
193
+ /-([a-z])/g,
194
+ (_, g) => g.toUpperCase()
195
+ );
196
+ if (camelCaseId !== provider.id && !result[camelCaseId]) {
197
+ result[camelCaseId] = output;
198
+ }
199
+ } catch (err) {
200
+ console.error(`\u274C Error running tool '${provider.id}':`, err);
201
+ }
202
+ }
203
+ result.summary.config = sanitizeConfigRecursive({
204
+ scan: {
205
+ tools: requestedTools,
206
+ include: options.include,
207
+ exclude: options.exclude
208
+ },
209
+ // Use 'tools' for tool-specific configurations to match AIReadyConfig
210
+ tools: result.summary.toolConfigs
211
+ });
212
+ result.summary.executionTime = Date.now() - startTime;
213
+ return result;
214
+ }
215
+ async function scoreUnified(results, options) {
216
+ const toolScores = /* @__PURE__ */ new Map();
217
+ for (const toolId of results.summary.toolsRun) {
218
+ const provider = ToolRegistry.get(toolId);
219
+ if (!provider) continue;
220
+ const output = results[toolId];
221
+ if (!output) continue;
222
+ try {
223
+ const toolScore = provider.score(output, options);
224
+ if (!toolScore.tokenBudget) {
225
+ if (toolId === ToolName.PatternDetect && output.duplicates) {
226
+ const wastedTokens = output.duplicates.reduce(
227
+ (sum, d) => sum + (d.tokenCost || 0),
228
+ 0
229
+ );
230
+ toolScore.tokenBudget = calculateTokenBudget({
231
+ totalContextTokens: wastedTokens * 2,
232
+ wastedTokens: {
233
+ duplication: wastedTokens,
234
+ fragmentation: 0,
235
+ chattiness: 0
236
+ }
237
+ });
238
+ } else if (toolId === ToolName.ContextAnalyzer && output.summary) {
239
+ toolScore.tokenBudget = calculateTokenBudget({
240
+ totalContextTokens: output.summary.totalTokens,
241
+ wastedTokens: {
242
+ duplication: 0,
243
+ fragmentation: output.summary.totalPotentialSavings || 0,
244
+ chattiness: 0
245
+ }
246
+ });
247
+ }
248
+ }
249
+ toolScores.set(toolId, toolScore);
250
+ } catch (err) {
251
+ console.error(`\u274C Error scoring tool '${toolId}':`, err);
252
+ }
253
+ }
254
+ if (toolScores.size === 0) {
255
+ return {
256
+ overall: 0,
257
+ rating: "Critical",
258
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
259
+ toolsUsed: [],
260
+ breakdown: [],
261
+ calculation: {
262
+ formula: "0 / 0 = 0",
263
+ weights: {},
264
+ normalized: "0 / 0 = 0"
265
+ }
266
+ };
267
+ }
268
+ return calculateOverallScore(toolScores, options, void 0);
269
+ }
270
+ function generateUnifiedSummary(result) {
271
+ const { summary } = result;
272
+ let output = `\u{1F680} AIReady Analysis Complete
273
+
274
+ `;
275
+ output += `\u{1F4CA} Summary:
276
+ `;
277
+ output += ` Tools run: ${summary.toolsRun.join(", ")}
278
+ `;
279
+ output += ` Total issues found: ${summary.totalIssues}
280
+ `;
281
+ output += ` Execution time: ${(summary.executionTime / 1e3).toFixed(2)}s
282
+
283
+ `;
284
+ for (const provider of ToolRegistry.getAll()) {
285
+ const toolResult = result[provider.id];
286
+ if (toolResult) {
287
+ const issueCount = toolResult.results.reduce(
288
+ (sum, r) => sum + (r.issues?.length || 0),
289
+ 0
290
+ );
291
+ output += `\u2022 ${provider.id}: ${issueCount} issues
292
+ `;
293
+ }
294
+ }
295
+ return output;
296
+ }
297
+
298
+ export {
299
+ __require,
300
+ analyzeUnified,
301
+ scoreUnified,
302
+ generateUnifiedSummary
303
+ };