Files
CrmClinicas/.claude/helpers/statusline.js
Consultoria AS 79b5d86325 feat: CRM Clinicas SaaS - MVP completo
- Auth: Login/Register con creacion de clinica
- Dashboard: KPIs reales, graficas recharts
- Pacientes: CRUD completo con busqueda
- Agenda: FullCalendar, drag-and-drop, vista recepcion
- Expediente: Notas SOAP, signos vitales, CIE-10
- Facturacion: Facturas con IVA, campos CFDI SAT
- Inventario: Productos, stock, movimientos, alertas
- Configuracion: Clinica, equipo, catalogo servicios
- Supabase self-hosted: 18 tablas con RLS multi-tenant
- Docker + Nginx para produccion

Co-Authored-By: claude-flow <ruv@ruv.net>
2026-03-03 07:04:14 +00:00

317 lines
10 KiB
JavaScript

#!/usr/bin/env node
/**
* Claude Flow V3 Statusline Generator
* Displays real-time V3 implementation progress and system status
*
* Usage: node statusline.js [--json] [--compact]
*/
const fs = require('fs');
const path = require('path');
const { execSync } = require('child_process');
// Configuration
const CONFIG = {
enabled: true,
showProgress: true,
showSecurity: true,
showSwarm: true,
showHooks: true,
showPerformance: true,
refreshInterval: 30000,
maxAgents: 15,
topology: 'hierarchical-mesh',
};
// ANSI colors
const c = {
reset: '\x1b[0m',
bold: '\x1b[1m',
dim: '\x1b[2m',
red: '\x1b[0;31m',
green: '\x1b[0;32m',
yellow: '\x1b[0;33m',
blue: '\x1b[0;34m',
purple: '\x1b[0;35m',
cyan: '\x1b[0;36m',
brightRed: '\x1b[1;31m',
brightGreen: '\x1b[1;32m',
brightYellow: '\x1b[1;33m',
brightBlue: '\x1b[1;34m',
brightPurple: '\x1b[1;35m',
brightCyan: '\x1b[1;36m',
brightWhite: '\x1b[1;37m',
};
// Get user info
function getUserInfo() {
let name = 'user';
let gitBranch = '';
let modelName = 'Opus 4.5';
try {
name = execSync('git config user.name 2>/dev/null || echo "user"', { encoding: 'utf-8' }).trim();
gitBranch = execSync('git branch --show-current 2>/dev/null || echo ""', { encoding: 'utf-8' }).trim();
} catch (e) {
// Ignore errors
}
return { name, gitBranch, modelName };
}
// Get learning stats from memory database
function getLearningStats() {
const memoryPaths = [
path.join(process.cwd(), '.swarm', 'memory.db'),
path.join(process.cwd(), '.claude', 'memory.db'),
path.join(process.cwd(), 'data', 'memory.db'),
];
let patterns = 0;
let sessions = 0;
let trajectories = 0;
// Try to read from sqlite database
for (const dbPath of memoryPaths) {
if (fs.existsSync(dbPath)) {
try {
// Count entries in memory file (rough estimate from file size)
const stats = fs.statSync(dbPath);
const sizeKB = stats.size / 1024;
// Estimate: ~2KB per pattern on average
patterns = Math.floor(sizeKB / 2);
sessions = Math.max(1, Math.floor(patterns / 10));
trajectories = Math.floor(patterns / 5);
break;
} catch (e) {
// Ignore
}
}
}
// Also check for session files
const sessionsPath = path.join(process.cwd(), '.claude', 'sessions');
if (fs.existsSync(sessionsPath)) {
try {
const sessionFiles = fs.readdirSync(sessionsPath).filter(f => f.endsWith('.json'));
sessions = Math.max(sessions, sessionFiles.length);
} catch (e) {
// Ignore
}
}
return { patterns, sessions, trajectories };
}
// Get V3 progress from learning state (grows as system learns)
function getV3Progress() {
const learning = getLearningStats();
// DDD progress based on actual learned patterns
// New install: 0 patterns = 0/5 domains, 0% DDD
// As patterns grow: 10+ patterns = 1 domain, 50+ = 2, 100+ = 3, 200+ = 4, 500+ = 5
let domainsCompleted = 0;
if (learning.patterns >= 500) domainsCompleted = 5;
else if (learning.patterns >= 200) domainsCompleted = 4;
else if (learning.patterns >= 100) domainsCompleted = 3;
else if (learning.patterns >= 50) domainsCompleted = 2;
else if (learning.patterns >= 10) domainsCompleted = 1;
const totalDomains = 5;
const dddProgress = Math.min(100, Math.floor((domainsCompleted / totalDomains) * 100));
return {
domainsCompleted,
totalDomains,
dddProgress,
patternsLearned: learning.patterns,
sessionsCompleted: learning.sessions
};
}
// Get security status based on actual scans
function getSecurityStatus() {
// Check for security scan results in memory
const scanResultsPath = path.join(process.cwd(), '.claude', 'security-scans');
let cvesFixed = 0;
const totalCves = 3;
if (fs.existsSync(scanResultsPath)) {
try {
const scans = fs.readdirSync(scanResultsPath).filter(f => f.endsWith('.json'));
// Each successful scan file = 1 CVE addressed
cvesFixed = Math.min(totalCves, scans.length);
} catch (e) {
// Ignore
}
}
// Also check .swarm/security for audit results
const auditPath = path.join(process.cwd(), '.swarm', 'security');
if (fs.existsSync(auditPath)) {
try {
const audits = fs.readdirSync(auditPath).filter(f => f.includes('audit'));
cvesFixed = Math.min(totalCves, Math.max(cvesFixed, audits.length));
} catch (e) {
// Ignore
}
}
const status = cvesFixed >= totalCves ? 'CLEAN' : cvesFixed > 0 ? 'IN_PROGRESS' : 'PENDING';
return {
status,
cvesFixed,
totalCves,
};
}
// Get swarm status
function getSwarmStatus() {
let activeAgents = 0;
let coordinationActive = false;
try {
const ps = execSync('ps aux 2>/dev/null | grep -c agentic-flow || echo "0"', { encoding: 'utf-8' });
activeAgents = Math.max(0, parseInt(ps.trim()) - 1);
coordinationActive = activeAgents > 0;
} catch (e) {
// Ignore errors
}
return {
activeAgents,
maxAgents: CONFIG.maxAgents,
coordinationActive,
};
}
// Get system metrics (dynamic based on actual state)
function getSystemMetrics() {
let memoryMB = 0;
let subAgents = 0;
try {
const mem = execSync('ps aux | grep -E "(node|agentic|claude)" | grep -v grep | awk \'{sum += \$6} END {print int(sum/1024)}\'', { encoding: 'utf-8' });
memoryMB = parseInt(mem.trim()) || 0;
} catch (e) {
// Fallback
memoryMB = Math.floor(process.memoryUsage().heapUsed / 1024 / 1024);
}
// Get learning stats for intelligence %
const learning = getLearningStats();
// Intelligence % based on learned patterns (0 patterns = 0%, 1000+ = 100%)
const intelligencePct = Math.min(100, Math.floor((learning.patterns / 10) * 1));
// Context % based on session history (0 sessions = 0%, grows with usage)
const contextPct = Math.min(100, Math.floor(learning.sessions * 5));
// Count active sub-agents from process list
try {
const agents = execSync('ps aux 2>/dev/null | grep -c "claude-flow.*agent" || echo "0"', { encoding: 'utf-8' });
subAgents = Math.max(0, parseInt(agents.trim()) - 1);
} catch (e) {
// Ignore
}
return {
memoryMB,
contextPct,
intelligencePct,
subAgents,
};
}
// Generate progress bar
function progressBar(current, total) {
const width = 5;
const filled = Math.round((current / total) * width);
const empty = width - filled;
return '[' + '\u25CF'.repeat(filled) + '\u25CB'.repeat(empty) + ']';
}
// Generate full statusline
function generateStatusline() {
const user = getUserInfo();
const progress = getV3Progress();
const security = getSecurityStatus();
const swarm = getSwarmStatus();
const system = getSystemMetrics();
const lines = [];
// Header Line
let header = `${c.bold}${c.brightPurple}▊ Claude Flow V3 ${c.reset}`;
header += `${swarm.coordinationActive ? c.brightCyan : c.dim}${c.brightCyan}${user.name}${c.reset}`;
if (user.gitBranch) {
header += ` ${c.dim}${c.reset} ${c.brightBlue}${user.gitBranch}${c.reset}`;
}
header += ` ${c.dim}${c.reset} ${c.purple}${user.modelName}${c.reset}`;
lines.push(header);
// Separator
lines.push(`${c.dim}─────────────────────────────────────────────────────${c.reset}`);
// Line 1: DDD Domain Progress
const domainsColor = progress.domainsCompleted >= 3 ? c.brightGreen : progress.domainsCompleted > 0 ? c.yellow : c.red;
lines.push(
`${c.brightCyan}🏗️ DDD Domains${c.reset} ${progressBar(progress.domainsCompleted, progress.totalDomains)} ` +
`${domainsColor}${progress.domainsCompleted}${c.reset}/${c.brightWhite}${progress.totalDomains}${c.reset} ` +
`${c.brightYellow}⚡ 1.0x${c.reset} ${c.dim}${c.reset} ${c.brightYellow}2.49x-7.47x${c.reset}`
);
// Line 2: Swarm + CVE + Memory + Context + Intelligence
const swarmIndicator = swarm.coordinationActive ? `${c.brightGreen}${c.reset}` : `${c.dim}${c.reset}`;
const agentsColor = swarm.activeAgents > 0 ? c.brightGreen : c.red;
let securityIcon = security.status === 'CLEAN' ? '🟢' : security.status === 'IN_PROGRESS' ? '🟡' : '🔴';
let securityColor = security.status === 'CLEAN' ? c.brightGreen : security.status === 'IN_PROGRESS' ? c.brightYellow : c.brightRed;
lines.push(
`${c.brightYellow}🤖 Swarm${c.reset} ${swarmIndicator} [${agentsColor}${String(swarm.activeAgents).padStart(2)}${c.reset}/${c.brightWhite}${swarm.maxAgents}${c.reset}] ` +
`${c.brightPurple}👥 ${system.subAgents}${c.reset} ` +
`${securityIcon} ${securityColor}CVE ${security.cvesFixed}${c.reset}/${c.brightWhite}${security.totalCves}${c.reset} ` +
`${c.brightCyan}💾 ${system.memoryMB}MB${c.reset} ` +
`${c.brightGreen}📂 ${String(system.contextPct).padStart(3)}%${c.reset} ` +
`${c.dim}🧠 ${String(system.intelligencePct).padStart(3)}%${c.reset}`
);
// Line 3: Architecture status
const dddColor = progress.dddProgress >= 50 ? c.brightGreen : progress.dddProgress > 0 ? c.yellow : c.red;
lines.push(
`${c.brightPurple}🔧 Architecture${c.reset} ` +
`${c.cyan}DDD${c.reset} ${dddColor}${String(progress.dddProgress).padStart(3)}%${c.reset} ${c.dim}${c.reset} ` +
`${c.cyan}Security${c.reset} ${securityColor}${security.status}${c.reset} ${c.dim}${c.reset} ` +
`${c.cyan}Memory${c.reset} ${c.brightGreen}●AgentDB${c.reset} ${c.dim}${c.reset} ` +
`${c.cyan}Integration${c.reset} ${swarm.coordinationActive ? c.brightCyan : c.dim}${c.reset}`
);
return lines.join('\n');
}
// Generate JSON data
function generateJSON() {
return {
user: getUserInfo(),
v3Progress: getV3Progress(),
security: getSecurityStatus(),
swarm: getSwarmStatus(),
system: getSystemMetrics(),
performance: {
flashAttentionTarget: '2.49x-7.47x',
searchImprovement: '150x-12,500x',
memoryReduction: '50-75%',
},
lastUpdated: new Date().toISOString(),
};
}
// Main
if (process.argv.includes('--json')) {
console.log(JSON.stringify(generateJSON(), null, 2));
} else if (process.argv.includes('--compact')) {
console.log(JSON.stringify(generateJSON()));
} else {
console.log(generateStatusline());
}