Spaces:
Paused
Paused
File size: 26,638 Bytes
34367da | 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 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 | /**
* βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
* β ERROR KNOWLEDGE BASE β
* βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
* β Samler fejlmΓΈnstre fra eksterne kilder (GitHub, HuggingFace, CVE, etc.) β
* β Bruges af SelfHealingAdapter til at lΓ¦re og forudsige fejl β
* βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
*/
import crypto from 'crypto';
import { logger } from '../utils/logger.js';
// Lazy import for Neo4j to avoid circular dependencies
let neo4jServiceInstance: any = null;
async function getNeo4jService() {
if (!neo4jServiceInstance) {
try {
const { neo4jService } = await import('../database/Neo4jService.js');
neo4jServiceInstance = neo4jService;
} catch (e) {
// Neo4j not available
}
}
return neo4jServiceInstance;
}
const log = logger.child({ module: 'ErrorKnowledgeBase' });
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
// TYPES
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
export interface ErrorPattern {
id: string; // Unique hash of error signature
source: ErrorSource;
category: ErrorCategory;
signature: string; // Error message pattern/regex
description: string;
severity: 'low' | 'medium' | 'high' | 'critical';
solutions: Solution[];
tags: string[];
cveId?: string; // CVE identifier if applicable
cweId?: string; // CWE identifier if applicable
language?: string; // Programming language
framework?: string; // Framework (e.g., Express, React)
occurrences: number; // Times seen
lastSeen: Date;
createdAt: Date;
metadata?: Record<string, any>;
}
export interface Solution {
description: string;
code?: string;
confidence: number; // 0-1
source: string;
verified: boolean;
// Feedback tracking
successCount?: number; // Times this solution worked
failureCount?: number; // Times this solution failed
lastUsed?: Date;
}
export type ErrorSource =
| 'github-defects4j'
| 'github-bugsjs'
| 'huggingface-cve'
| 'huggingface-defect-detection'
| 'huggingface-hdfs-logs'
| 'microsoft-office-api'
| 'microsoft-graph-api'
| 'internal-logs'
| 'user-reported'
| 'gaia-aiops'
| 'nodejs-system'
| 'http-standards'
| 'postgresql-official'
| 'typescript-compiler'
| 'curated-knowledge';
export type ErrorCategory =
| 'runtime'
| 'syntax'
| 'type'
| 'security'
| 'performance'
| 'network'
| 'database'
| 'api'
| 'office'
| 'authentication'
| 'memory'
| 'concurrency'
| 'configuration'
| 'dependency';
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
// ERROR KNOWLEDGE BASE CLASS
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
export class ErrorKnowledgeBase {
private static instance: ErrorKnowledgeBase;
private patterns: Map<string, ErrorPattern> = new Map();
private signatureIndex: Map<string, Set<string>> = new Map(); // For fast lookup
private sourceStats: Map<ErrorSource, number> = new Map();
private constructor() {
this.initializeBuiltInPatterns();
}
public static getInstance(): ErrorKnowledgeBase {
if (!ErrorKnowledgeBase.instance) {
ErrorKnowledgeBase.instance = new ErrorKnowledgeBase();
}
return ErrorKnowledgeBase.instance;
}
/**
* Generate unique ID from error signature to prevent duplicates
*/
private generateId(signature: string, source: ErrorSource): string {
const normalized = signature.toLowerCase().trim().replace(/\s+/g, ' ');
return crypto.createHash('sha256')
.update(`${normalized}:${source}`)
.digest('hex')
.substring(0, 16);
}
/**
* Normalize error signature for comparison
*/
private normalizeSignature(sig: string): string {
return sig
.toLowerCase()
.replace(/0x[0-9a-f]+/gi, '0xHEX') // Hex addresses
.replace(/\d+/g, 'N') // Numbers
.replace(/['"][^'"]*['"]/g, '"STR"') // String literals
.replace(/\s+/g, ' ') // Whitespace
.trim();
}
/**
* Check if pattern already exists (dedupe)
*/
public isDuplicate(signature: string, source: ErrorSource): boolean {
const id = this.generateId(signature, source);
if (this.patterns.has(id)) {
return true;
}
// Also check normalized signature across all sources
const normalized = this.normalizeSignature(signature);
const existing = this.signatureIndex.get(normalized);
return existing !== undefined && existing.size > 0;
}
/**
* Ingest single error pattern (with dedupe)
*/
public ingest(pattern: Omit<ErrorPattern, 'id' | 'occurrences' | 'lastSeen' | 'createdAt'>): boolean {
const id = this.generateId(pattern.signature, pattern.source);
// Check for exact duplicate
if (this.patterns.has(id)) {
// Update existing
const existing = this.patterns.get(id)!;
existing.occurrences++;
existing.lastSeen = new Date();
// Merge solutions
for (const sol of pattern.solutions) {
if (!existing.solutions.some(s => s.description === sol.description)) {
existing.solutions.push(sol);
}
}
return false; // Not new
}
// Check for similar pattern (different source)
const normalized = this.normalizeSignature(pattern.signature);
if (!this.signatureIndex.has(normalized)) {
this.signatureIndex.set(normalized, new Set());
}
this.signatureIndex.get(normalized)!.add(id);
// Create new pattern
const newPattern: ErrorPattern = {
...pattern,
id,
occurrences: 1,
lastSeen: new Date(),
createdAt: new Date()
};
this.patterns.set(id, newPattern);
// Update source stats
const count = this.sourceStats.get(pattern.source) || 0;
this.sourceStats.set(pattern.source, count + 1);
log.info(`Ingested error pattern: ${pattern.category}/${pattern.signature.substring(0, 50)}...`);
return true; // New pattern
}
/**
* Batch ingest with progress tracking
*/
public async batchIngest(
patterns: Omit<ErrorPattern, 'id' | 'occurrences' | 'lastSeen' | 'createdAt'>[],
source: ErrorSource
): Promise<{ total: number; new: number; duplicates: number }> {
let newCount = 0;
let dupeCount = 0;
for (const pattern of patterns) {
const isNew = this.ingest({ ...pattern, source });
if (isNew) newCount++;
else dupeCount++;
}
log.info(`Batch ingest from ${source}: ${newCount} new, ${dupeCount} duplicates`);
return { total: patterns.length, new: newCount, duplicates: dupeCount };
}
/**
* Find matching patterns for an error
*/
public findMatches(errorMessage: string, limit = 5): ErrorPattern[] {
const normalized = this.normalizeSignature(errorMessage);
const results: { pattern: ErrorPattern; score: number }[] = [];
for (const pattern of this.patterns.values()) {
const patternNorm = this.normalizeSignature(pattern.signature);
const score = this.similarityScore(normalized, patternNorm);
if (score > 0.3) { // Lowered threshold for better fuzzy matching
results.push({ pattern, score });
}
}
return results
.sort((a, b) => b.score - a.score)
.slice(0, limit)
.map(r => r.pattern);
}
/**
* Enhanced similarity score combining multiple strategies
*/
private similarityScore(query: string, signature: string): number {
// Strategy 1: Substring containment (highest priority)
if (signature.includes(query) || query.includes(signature)) {
return 1.0;
}
// Strategy 2: Key error code matching (ECONNREFUSED, SQLSTATE, HTTP 4xx/5xx)
const errorCodes = query.match(/\b(E[A-Z]+|SQLSTATE\s*\d+|HTTP\s*\d{3}|TS\d{4})\b/gi) || [];
for (const code of errorCodes) {
if (signature.toUpperCase().includes(code.toUpperCase().replace(/\s+/g, ' '))) {
return 0.95;
}
}
// Strategy 3: Jaccard similarity on words
const setA = new Set(query.split(/\s+/).filter(w => w.length > 2));
const setB = new Set(signature.split(/\s+/).filter(w => w.length > 2));
const intersection = new Set([...setA].filter(x => setB.has(x)));
const union = new Set([...setA, ...setB]);
const jaccard = union.size > 0 ? intersection.size / union.size : 0;
// Strategy 4: Coverage - what % of query words appear in signature
const coverage = setA.size > 0 ? intersection.size / setA.size : 0;
// Combined score: weight coverage more heavily
return Math.max(jaccard, coverage * 0.8);
}
/**
* Get suggested solutions for an error
*/
public getSolutions(errorMessage: string): Solution[] {
const matches = this.findMatches(errorMessage, 3);
const solutions: Solution[] = [];
for (const match of matches) {
solutions.push(...match.solutions);
}
return solutions
.sort((a, b) => b.confidence - a.confidence)
.slice(0, 5);
}
/**
* Get statistics
*/
public getStats() {
const categoryCount: Record<string, number> = {};
const severityCount: Record<string, number> = {};
for (const pattern of this.patterns.values()) {
categoryCount[pattern.category] = (categoryCount[pattern.category] || 0) + 1;
severityCount[pattern.severity] = (severityCount[pattern.severity] || 0) + 1;
}
return {
totalPatterns: this.patterns.size,
bySource: Object.fromEntries(this.sourceStats),
byCategory: categoryCount,
bySeverity: severityCount
};
}
/**
* Export all patterns
*/
public exportPatterns(): ErrorPattern[] {
return Array.from(this.patterns.values());
}
/**
* Initialize with common built-in patterns
*/
private initializeBuiltInPatterns() {
const builtInPatterns: Omit<ErrorPattern, 'id' | 'occurrences' | 'lastSeen' | 'createdAt'>[] = [
// Network errors
{
source: 'internal-logs',
category: 'network',
signature: 'ECONNREFUSED',
description: 'Connection refused - target service not running or firewall blocking',
severity: 'high',
solutions: [
{ description: 'Check if target service is running', confidence: 0.9, source: 'built-in', verified: true },
{ description: 'Verify firewall rules allow connection', confidence: 0.7, source: 'built-in', verified: true },
{ description: 'Check if port number is correct', confidence: 0.8, source: 'built-in', verified: true }
],
tags: ['network', 'connection', 'tcp']
},
{
source: 'internal-logs',
category: 'network',
signature: 'ETIMEDOUT',
description: 'Connection timed out - network latency or service overload',
severity: 'medium',
solutions: [
{ description: 'Increase timeout value', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Check network connectivity', confidence: 0.7, source: 'built-in', verified: true },
{ description: 'Implement retry with exponential backoff', confidence: 0.9, source: 'built-in', verified: true }
],
tags: ['network', 'timeout', 'latency']
},
// Database errors
{
source: 'internal-logs',
category: 'database',
signature: 'Neo4jError: ServiceUnavailable',
description: 'Neo4j database not reachable',
severity: 'critical',
solutions: [
{ description: 'Check Neo4j container/service status', confidence: 0.9, source: 'built-in', verified: true },
{ description: 'Verify NEO4J_URI environment variable', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Check AuraDB connection limits', confidence: 0.6, source: 'built-in', verified: true }
],
tags: ['neo4j', 'database', 'graph']
},
{
source: 'internal-logs',
category: 'database',
signature: 'PrismaClientKnownRequestError',
description: 'Prisma database query error',
severity: 'high',
solutions: [
{ description: 'Check if database schema is migrated', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Verify DATABASE_URL is correct', confidence: 0.7, source: 'built-in', verified: true },
{ description: 'Run npx prisma db push', confidence: 0.9, source: 'built-in', verified: true }
],
tags: ['prisma', 'postgresql', 'database']
},
// TypeScript/JavaScript errors
{
source: 'internal-logs',
category: 'type',
signature: 'TypeError: Cannot read properties of undefined',
description: 'Accessing property on undefined value',
severity: 'medium',
solutions: [
{ description: 'Add null/undefined check before accessing', confidence: 0.9, source: 'built-in', verified: true },
{ description: 'Use optional chaining (?.) operator', confidence: 0.95, source: 'built-in', verified: true },
{ description: 'Provide default value with ?? operator', confidence: 0.8, source: 'built-in', verified: true }
],
tags: ['typescript', 'javascript', 'null-safety']
},
{
source: 'internal-logs',
category: 'syntax',
signature: 'SyntaxError: Unexpected token',
description: 'Invalid JavaScript/JSON syntax',
severity: 'high',
solutions: [
{ description: 'Check for missing brackets or quotes', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Validate JSON with JSON.parse in try-catch', confidence: 0.7, source: 'built-in', verified: true },
{ description: 'Check for trailing commas in JSON', confidence: 0.6, source: 'built-in', verified: true }
],
tags: ['syntax', 'json', 'parsing']
},
// Office API errors
{
source: 'microsoft-office-api',
category: 'office',
signature: 'InvalidReference',
description: 'Office API reference is not valid for operation',
severity: 'medium',
solutions: [
{ description: 'Ensure object exists before operation', confidence: 0.9, source: 'microsoft-docs', verified: true },
{ description: 'Check if document is still open', confidence: 0.7, source: 'microsoft-docs', verified: true }
],
tags: ['office', 'excel', 'word', 'api'],
cweId: 'CWE-476'
},
{
source: 'microsoft-graph-api',
category: 'api',
signature: 'Error 429: Too Many Requests',
description: 'Microsoft Graph API rate limit exceeded',
severity: 'medium',
solutions: [
{ description: 'Implement exponential backoff retry', confidence: 0.95, source: 'microsoft-docs', verified: true },
{ description: 'Check Retry-After header for wait time', confidence: 0.9, source: 'microsoft-docs', verified: true },
{ description: 'Batch multiple requests together', confidence: 0.8, source: 'microsoft-docs', verified: true }
],
tags: ['graph-api', 'rate-limit', 'throttling']
},
// Security patterns
{
source: 'huggingface-cve',
category: 'security',
signature: 'SQL injection detected',
description: 'Potential SQL injection vulnerability',
severity: 'critical',
solutions: [
{ description: 'Use parameterized queries', confidence: 0.99, source: 'OWASP', verified: true },
{ description: 'Sanitize user input', confidence: 0.9, source: 'OWASP', verified: true },
{ description: 'Use ORM instead of raw SQL', confidence: 0.85, source: 'best-practice', verified: true }
],
tags: ['security', 'sql', 'injection'],
cweId: 'CWE-89'
},
{
source: 'huggingface-cve',
category: 'security',
signature: 'XSS vulnerability',
description: 'Cross-site scripting vulnerability detected',
severity: 'critical',
solutions: [
{ description: 'Escape HTML output', confidence: 0.95, source: 'OWASP', verified: true },
{ description: 'Use Content Security Policy headers', confidence: 0.9, source: 'OWASP', verified: true },
{ description: 'Validate and sanitize input', confidence: 0.85, source: 'best-practice', verified: true }
],
tags: ['security', 'xss', 'injection'],
cweId: 'CWE-79'
},
// Memory errors
{
source: 'internal-logs',
category: 'memory',
signature: 'FATAL ERROR: CALL_AND_RETRY_LAST Allocation failed',
description: 'Node.js heap out of memory',
severity: 'critical',
solutions: [
{ description: 'Increase Node.js heap size: --max-old-space-size=4096', confidence: 0.9, source: 'built-in', verified: true },
{ description: 'Check for memory leaks with --inspect', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Implement pagination for large data sets', confidence: 0.85, source: 'best-practice', verified: true }
],
tags: ['memory', 'heap', 'oom']
},
// Redis errors
{
source: 'internal-logs',
category: 'database',
signature: 'Redis connection error',
description: 'Cannot connect to Redis server',
severity: 'high',
solutions: [
{ description: 'Check if Redis container is running', confidence: 0.9, source: 'built-in', verified: true },
{ description: 'Verify REDIS_URL environment variable', confidence: 0.8, source: 'built-in', verified: true },
{ description: 'Check Redis maxmemory settings', confidence: 0.6, source: 'built-in', verified: true }
],
tags: ['redis', 'cache', 'connection']
}
];
for (const pattern of builtInPatterns) {
this.ingest(pattern);
}
log.info(`Initialized ErrorKnowledgeBase with ${this.patterns.size} built-in patterns`);
}
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
// NEO4J PERSISTENCE - Feedback Loop
// βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
/**
* Persist a single pattern to Neo4j
*/
public async persistToNeo4j(pattern: ErrorPattern): Promise<boolean> {
try {
const neo4j = await getNeo4jService();
if (!neo4j) {
log.warn('Neo4j not available, skipping persistence');
return false;
}
const query = `
MERGE (ep:ErrorPattern {id: $id})
SET ep.source = $source,
ep.category = $category,
ep.signature = $signature,
ep.description = $description,
ep.severity = $severity,
ep.tags = $tags,
ep.cveId = $cveId,
ep.cweId = $cweId,
ep.language = $language,
ep.framework = $framework,
ep.occurrences = $occurrences,
ep.lastSeen = datetime($lastSeen),
ep.createdAt = datetime($createdAt),
ep.solutions = $solutions
RETURN ep
`;
await neo4j.runQuery(query, {
id: pattern.id,
source: pattern.source,
category: pattern.category,
signature: pattern.signature,
description: pattern.description,
severity: pattern.severity,
tags: pattern.tags,
cveId: pattern.cveId || null,
cweId: pattern.cweId || null,
language: pattern.language || null,
framework: pattern.framework || null,
occurrences: pattern.occurrences,
lastSeen: pattern.lastSeen.toISOString(),
createdAt: pattern.createdAt.toISOString(),
solutions: JSON.stringify(pattern.solutions)
});
log.debug(`Persisted pattern ${pattern.id} to Neo4j`);
return true;
} catch (error) {
log.error('Failed to persist pattern to Neo4j:', error);
return false;
}
}
/**
* Load all patterns from Neo4j
*/
public async loadFromNeo4j(): Promise<number> {
try {
const neo4j = await getNeo4jService();
if (!neo4j) {
log.warn('Neo4j not available, skipping load');
return 0;
}
const query = `
MATCH (ep:ErrorPattern)
RETURN ep
ORDER BY ep.occurrences DESC
`;
const records = await neo4j.runQuery(query);
let loaded = 0;
for (const record of records) {
const ep = record.ep?.properties || record.ep;
if (!ep || !ep.id) continue;
// Skip if already in memory
if (this.patterns.has(ep.id)) continue;
const pattern: ErrorPattern = {
id: ep.id,
source: ep.source as ErrorSource,
category: ep.category as ErrorCategory,
signature: ep.signature,
description: ep.description,
severity: ep.severity,
tags: ep.tags || [],
cveId: ep.cveId || undefined,
cweId: ep.cweId || undefined,
language: ep.language || undefined,
framework: ep.framework || undefined,
occurrences: ep.occurrences?.toNumber?.() || ep.occurrences || 1,
lastSeen: new Date(ep.lastSeen),
createdAt: new Date(ep.createdAt),
solutions: JSON.parse(ep.solutions || '[]')
};
this.patterns.set(pattern.id, pattern);
loaded++;
}
log.info(`Loaded ${loaded} patterns from Neo4j`);
return loaded;
} catch (error) {
log.error('Failed to load patterns from Neo4j:', error);
return 0;
}
}
/**
* Record feedback for a solution (success or failure)
*/
public async recordFeedback(
patternId: string,
solutionIndex: number,
success: boolean
): Promise<boolean> {
const pattern = this.patterns.get(patternId);
if (!pattern || !pattern.solutions[solutionIndex]) {
return false;
}
const solution = pattern.solutions[solutionIndex];
// Initialize counters if needed
solution.successCount = solution.successCount || 0;
solution.failureCount = solution.failureCount || 0;
// Update counters
if (success) {
solution.successCount++;
} else {
solution.failureCount++;
}
solution.lastUsed = new Date();
// Update confidence based on feedback (Bayesian-ish update)
const totalFeedback = solution.successCount + solution.failureCount;
if (totalFeedback >= 3) {
const successRate = solution.successCount / totalFeedback;
// Blend original confidence with observed success rate
solution.confidence = (solution.confidence * 0.3) + (successRate * 0.7);
// Clamp to valid range
solution.confidence = Math.max(0.1, Math.min(0.99, solution.confidence));
}
// Persist to Neo4j
await this.persistToNeo4j(pattern);
log.info(`Recorded ${success ? 'success' : 'failure'} feedback for pattern ${patternId}, solution ${solutionIndex}. New confidence: ${solution.confidence.toFixed(2)}`);
return true;
}
/**
* Persist all patterns to Neo4j (batch)
*/
public async persistAllToNeo4j(): Promise<{ success: number; failed: number }> {
let success = 0;
let failed = 0;
for (const pattern of this.patterns.values()) {
const result = await this.persistToNeo4j(pattern);
if (result) success++;
else failed++;
}
log.info(`Persisted ${success} patterns to Neo4j (${failed} failed)`);
return { success, failed };
}
/**
* Get solution with feedback stats
*/
public getSolutionsWithStats(errorMessage: string): (Solution & { patternId: string; solutionIndex: number })[] {
const matches = this.findMatches(errorMessage, 3);
const solutions: (Solution & { patternId: string; solutionIndex: number })[] = [];
for (const match of matches) {
match.solutions.forEach((sol, index) => {
solutions.push({
...sol,
patternId: match.id,
solutionIndex: index
});
});
}
return solutions
.sort((a, b) => b.confidence - a.confidence)
.slice(0, 5);
}
}
// Singleton export
export const errorKnowledgeBase = ErrorKnowledgeBase.getInstance();
|