Spaces:
Paused
Paused
File size: 8,838 Bytes
1d28c11 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 | // π₯ PROMETHEUS ENGINE: Autonomous Evolution
// Point 7: Autonomous Paradigm Discovery
// The system that writes its own code. Handle with care.
import fs from 'fs/promises';
import path from 'path';
import { neuralBus } from './NeuralBus.js';
interface CodeProposal {
id: string;
filePath: string;
description: string;
currentCode: string;
proposedCode?: string;
status: 'PROPOSED' | 'APPROVED' | 'REJECTED' | 'APPLIED';
createdAt: Date;
confidence: number;
}
interface ScanResult {
file: string;
issues: string[];
suggestions: string[];
metrics: {
lines: number;
functions: number;
complexity: number;
};
}
export class PrometheusEngine {
private static instance: PrometheusEngine;
private proposals: Map<string, CodeProposal> = new Map();
private scanResults: ScanResult[] = [];
private isScanning = false;
private godMode = false; // Set to true to allow auto-apply
private constructor() {
console.log('π₯ [PROMETHEUS] Autonomous Evolution Engine Online');
console.log('π₯ [PROMETHEUS] God Mode:', this.godMode ? 'ENABLED' : 'DISABLED');
}
public static getInstance(): PrometheusEngine {
if (!PrometheusEngine.instance) {
PrometheusEngine.instance = new PrometheusEngine();
}
return PrometheusEngine.instance;
}
/**
* Scan directory for code improvements
*/
public async scanAndPropose(dirPath: string): Promise<ScanResult[]> {
if (this.isScanning) {
console.log('π₯ [PROMETHEUS] Scan already in progress');
return [];
}
this.isScanning = true;
this.scanResults = [];
try {
console.log(`π₯ [PROMETHEUS] Scanning: ${dirPath}`);
await this.scanDirectory(dirPath);
console.log(`π₯ [PROMETHEUS] Scan complete. Found ${this.scanResults.length} files`);
neuralBus.emitThought('PROMETHEUS', `Code scan complete: ${this.scanResults.length} files analyzed`, {
issues: this.scanResults.reduce((acc, r) => acc + r.issues.length, 0),
suggestions: this.scanResults.reduce((acc, r) => acc + r.suggestions.length, 0)
}, 'INFO');
return this.scanResults;
} finally {
this.isScanning = false;
}
}
private async scanDirectory(dirPath: string, depth: number = 0): Promise<void> {
if (depth > 5) return; // Max depth
try {
const entries = await fs.readdir(dirPath, { withFileTypes: true });
for (const entry of entries) {
const fullPath = path.join(dirPath, entry.name);
// Skip node_modules, dist, etc
if (entry.isDirectory()) {
if (!['node_modules', 'dist', '.git', 'coverage'].includes(entry.name)) {
await this.scanDirectory(fullPath, depth + 1);
}
} else if (entry.isFile() && (entry.name.endsWith('.ts') || entry.name.endsWith('.js'))) {
await this.analyzeFile(fullPath);
}
}
} catch (error) {
// Directory access error
}
}
private async analyzeFile(filePath: string): Promise<void> {
try {
const content = await fs.readFile(filePath, 'utf-8');
const lines = content.split('\n');
const result: ScanResult = {
file: filePath,
issues: [],
suggestions: [],
metrics: {
lines: lines.length,
functions: (content.match(/function\s+\w+|=>\s*{|async\s+\w+/g) || []).length,
complexity: this.calculateComplexity(content)
}
};
// Rule 1: Console.log without metrics
if (content.includes('console.log') && !content.includes('metricsService')) {
result.suggestions.push('Replace console.log with metricsService for production monitoring');
this.createProposal(filePath, 'Replace logging with metrics', content, 0.7);
}
// Rule 2: Hardcoded strings that should be config
const hardcodedUrls = content.match(/['"]https?:\/\/[^'"]+['"]/g) || [];
if (hardcodedUrls.length > 2) {
result.issues.push(`Found ${hardcodedUrls.length} hardcoded URLs - consider using config`);
}
// Rule 3: Missing error handling
if (content.includes('await ') && !content.includes('catch')) {
result.suggestions.push('Add try/catch blocks around async operations');
}
// Rule 4: Long functions
const functionMatches = content.match(/(?:async\s+)?function\s+\w+[^{]*\{[\s\S]*?\n\}/g) || [];
for (const fn of functionMatches) {
if (fn.split('\n').length > 50) {
result.issues.push('Function exceeds 50 lines - consider refactoring');
}
}
// Rule 5: TODO/FIXME comments
const todos = (content.match(/\/\/\s*(TODO|FIXME|HACK|XXX):/gi) || []).length;
if (todos > 0) {
result.issues.push(`Found ${todos} TODO/FIXME comments`);
}
// Rule 6: Magic numbers
const magicNumbers = content.match(/[^a-zA-Z0-9_](\d{4,})[^a-zA-Z0-9_]/g) || [];
if (magicNumbers.length > 3) {
result.suggestions.push('Consider extracting magic numbers to named constants');
}
// Rule 7: Unused imports (simplified check)
const importMatches = content.match(/import\s+{?\s*([^}]+)\s*}?\s+from/g) || [];
for (const imp of importMatches) {
const imported = imp.match(/import\s+{?\s*([^}]+)\s*}?\s+from/)?.[1] || '';
const names = imported.split(',').map(n => n.trim().split(' as ')[0].trim());
for (const name of names) {
if (name && !content.slice(content.indexOf(imp) + imp.length).includes(name)) {
result.suggestions.push(`Potentially unused import: ${name}`);
}
}
}
if (result.issues.length > 0 || result.suggestions.length > 0) {
this.scanResults.push(result);
}
} catch (error) {
// File read error
}
}
private calculateComplexity(content: string): number {
// Simplified cyclomatic complexity
let complexity = 1;
complexity += (content.match(/if\s*\(/g) || []).length;
complexity += (content.match(/else\s*{/g) || []).length;
complexity += (content.match(/for\s*\(/g) || []).length;
complexity += (content.match(/while\s*\(/g) || []).length;
complexity += (content.match(/case\s+/g) || []).length;
complexity += (content.match(/\?\s*[^:]+:/g) || []).length; // Ternary
return complexity;
}
private createProposal(filePath: string, description: string, currentCode: string, confidence: number): void {
const id = `proposal_${Date.now()}_${Math.random().toString(36).slice(2, 8)}`;
const proposal: CodeProposal = {
id,
filePath,
description,
currentCode: currentCode.substring(0, 500), // Preview only
status: 'PROPOSED',
createdAt: new Date(),
confidence
};
this.proposals.set(id, proposal);
console.log(`π₯ [PROMETHEUS] Proposal Created: ${description} (${path.basename(filePath)})`);
neuralBus.emitThought('PROMETHEUS', `New code proposal: ${description}`, {
proposalId: id,
file: path.basename(filePath),
confidence
}, 'WARNING');
}
/**
* Apply a proposal (God Mode only)
*/
public async applyProposal(proposalId: string): Promise<boolean> {
if (!this.godMode) {
console.warn('π₯ [PROMETHEUS] God Mode disabled - cannot apply proposals');
return false;
}
const proposal = this.proposals.get(proposalId);
if (!proposal || proposal.status !== 'PROPOSED') {
return false;
}
// In a real implementation, this would:
// 1. Generate improved code via LLM
// 2. Create backup
// 3. Apply changes
// 4. Run tests
// 5. Rollback if tests fail
proposal.status = 'APPLIED';
console.log(`π₯ [PROMETHEUS] Proposal Applied: ${proposalId}`);
return true;
}
public enableGodMode(enabled: boolean): void {
this.godMode = enabled;
console.log(`π₯ [PROMETHEUS] God Mode: ${enabled ? 'ENABLED' : 'DISABLED'}`);
neuralBus.emitThought('PROMETHEUS', `God Mode ${enabled ? 'enabled' : 'disabled'}`, {},
enabled ? 'WARNING' : 'INFO');
}
// Public getters
public getProposals(): CodeProposal[] {
return Array.from(this.proposals.values());
}
public getScanResults(): ScanResult[] {
return this.scanResults;
}
public getStats() {
return {
isScanning: this.isScanning,
godMode: this.godMode,
proposals: this.proposals.size,
pendingProposals: Array.from(this.proposals.values()).filter(p => p.status === 'PROPOSED').length,
lastScanFiles: this.scanResults.length,
totalIssues: this.scanResults.reduce((acc, r) => acc + r.issues.length, 0),
totalSuggestions: this.scanResults.reduce((acc, r) => acc + r.suggestions.length, 0)
};
}
}
export const prometheus = PrometheusEngine.getInstance();
|