petter2025's picture
Update app.py
601702b verified
raw
history blame
103 kB
# app.py - Complete fixed version
# πŸš€ ARF Ultimate Investor Demo v3.8.0 - ENTERPRISE EDITION
# ENHANCED VERSION WITH CLEAR BOUNDARIES AND RELIABLE VISUALIZATIONS
# Fixed to show clear OSS vs Enterprise boundaries with architectural honesty
import logging
import sys
import traceback
import json
import datetime
import asyncio
import time
import random
from pathlib import Path
from typing import Dict, List, Any, Optional, Tuple
# ===========================================
# CONFIGURE LOGGING FIRST
# ===========================================
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
handlers=[
logging.StreamHandler(sys.stdout),
logging.FileHandler('arf_demo.log')
]
)
logger = logging.getLogger(__name__)
# Add parent directory to path
sys.path.insert(0, str(Path(__file__).parent))
# ===========================================
# IMPORT UTILITY CLASSES FIRST
# ===========================================
from utils.installation import InstallationHelper
from demo.guidance import DemoPsychologyController, get_demo_controller
# ===========================================
# BOUNDARY MANAGEMENT SYSTEM
# ===========================================
class BoundaryManager:
"""Manages clear boundaries between OSS and Enterprise"""
@staticmethod
def get_system_boundaries():
"""Get current system boundaries"""
installation = get_installation_status()
return {
"oss": {
"available": installation["oss_installed"],
"version": installation["oss_version"] or "mock",
"label": installation["badges"]["oss"]["text"],
"color": installation["badges"]["oss"]["color"],
"icon": installation["badges"]["oss"]["icon"],
"capabilities": ["advisory_analysis", "rag_search", "healing_intent"],
"license": "Apache 2.0"
},
"enterprise": {
"available": installation["enterprise_installed"],
"version": installation["enterprise_version"] or "simulated",
"label": installation["badges"]["enterprise"]["text"],
"color": installation["badges"]["enterprise"]["color"],
"icon": installation["badges"]["enterprise"]["icon"],
"capabilities": ["autonomous_execution", "rollback_guarantee", "mcp_integration", "enterprise_support"],
"license": "Commercial"
},
"demo_mode": {
"active": True,
"architecture": "OSS advises β†’ Enterprise executes",
"boundary_visible": settings.show_boundaries
}
}
@staticmethod
def get_boundary_badges() -> str:
"""Get HTML badges showing system boundaries"""
boundaries = BoundaryManager.get_system_boundaries()
return f"""
<div style="display: flex; justify-content: center; gap: 20px; margin: 0 auto 25px auto;
max-width: 800px; flex-wrap: wrap;">
<div style="display: flex; align-items: center; gap: 10px; padding: 12px 20px;
background: linear-gradient(135deg, {boundaries['oss']['color']}22 0%, {boundaries['oss']['color']}11 100%);
border: 2px solid {boundaries['oss']['color']}; border-radius: 12px;">
<div style="font-size: 24px;">{boundaries['oss']['icon']}</div>
<div>
<div style="font-size: 14px; font-weight: 600; color: {boundaries['oss']['color']};">
{boundaries['oss']['label']}
</div>
<div style="font-size: 11px; color: #64748b;">
Apache 2.0 β€’ Advisory Intelligence
</div>
</div>
</div>
<div style="display: flex; align-items: center; gap: 10px; padding: 12px 20px;
background: linear-gradient(135deg, {boundaries['enterprise']['color']}22 0%, {boundaries['enterprise']['color']}11 100%);
border: 2px solid {boundaries['enterprise']['color']}; border-radius: 12px;">
<div style="font-size: 24px;">{boundaries['enterprise']['icon']}</div>
<div>
<div style="font-size: 14px; font-weight: 600; color: {boundaries['enterprise']['color']};">
{boundaries['enterprise']['label']}
</div>
<div style="font-size: 11px; color: #64748b;">
Commercial β€’ Autonomous Execution
</div>
</div>
</div>
<div style="display: flex; align-items: center; gap: 10px; padding: 12px 20px;
background: linear-gradient(135deg, #f1f5f9 0%, #e2e8f0 100%);
border: 2px dashed #94a3b8; border-radius: 12px;">
<div style="font-size: 24px;">πŸ—οΈ</div>
<div>
<div style="font-size: 14px; font-weight: 600; color: #475569;">
Architecture Boundary
</div>
<div style="font-size: 11px; color: #64748b;">
OSS advises β†’ Enterprise executes
</div>
</div>
</div>
</div>
"""
@staticmethod
def create_boundary_indicator(action: str, is_simulated: bool = True) -> str:
"""Create clear execution boundary indicator"""
if is_simulated:
return f"""
<div style="border: 3px dashed #f59e0b; border-radius: 16px; padding: 25px;
background: linear-gradient(135deg, #fef3c7 0%, #fde68a 100%);
text-align: center; margin: 20px 0;">
<div style="font-size: 36px; margin-bottom: 15px;">🎭</div>
<h4 style="margin: 0 0 12px 0; font-size: 20px; color: #92400e; font-weight: 700;">
SIMULATED ENTERPRISE EXECUTION
</h4>
<p style="font-size: 15px; color: #92400e; margin-bottom: 15px; line-height: 1.6;">
<strong>Action:</strong> {action}<br>
<strong>Mode:</strong> Enterprise Simulation (not real execution)<br>
<strong>Boundary:</strong> OSS advises β†’ Enterprise would execute
</p>
<div style="display: inline-block; padding: 10px 24px; background: #92400e;
border-radius: 20px; font-size: 14px; font-weight: bold; color: white;
text-transform: uppercase; letter-spacing: 1px;">
DEMO BOUNDARY
</div>
<p style="font-size: 13px; color: #92400e; margin-top: 15px; font-style: italic;">
In production, Enterprise edition would execute against real infrastructure
</p>
</div>
"""
else:
return f"""
<div style="border: 3px solid #10b981; border-radius: 16px; padding: 25px;
background: linear-gradient(135deg, #f0fdf4 0%, #bbf7d0 100%);
text-align: center; margin: 20px 0;">
<div style="font-size: 36px; margin-bottom: 15px;">⚑</div>
<h4 style="margin: 0 0 12px 0; font-size: 20px; color: #065f46; font-weight: 700;">
REAL ENTERPRISE EXECUTION
</h4>
<p style="font-size: 15px; color: #065f46; margin-bottom: 15px; line-height: 1.6;">
<strong>Action:</strong> {action}<br>
<strong>Mode:</strong> Enterprise Autonomous<br>
<strong>Boundary:</strong> Real execution with safety guarantees
</p>
<div style="display: inline-block; padding: 10px 24px; background: #065f46;
border-radius: 20px; font-size: 14px; font-weight: bold; color: white;
text-transform: uppercase; letter-spacing: 1px;">
ENTERPRISE+
</div>
</div>
"""
# ===========================================
# ASYNC UTILITIES
# ===========================================
class AsyncRunner:
"""Enhanced async runner with better error handling"""
@staticmethod
def run_async(coro):
"""Run async coroutine in sync context"""
try:
loop = asyncio.get_event_loop()
except RuntimeError:
loop = asyncio.new_event_loop()
asyncio.set_event_loop(loop)
try:
return loop.run_until_complete(coro)
except Exception as e:
logger.error(f"Async execution failed: {e}")
return {"error": str(e), "status": "failed", "boundary_note": "Execution boundary reached"}
@staticmethod
def async_to_sync(async_func):
"""Decorator to convert async function to sync"""
def wrapper(*args, **kwargs):
try:
return AsyncRunner.run_async(async_func(*args, **kwargs))
except Exception as e:
logger.error(f"Async to sync conversion failed: {e}")
return {"error": str(e), "status": "failed", "boundary_context": "OSS advisory only - execution requires Enterprise"}
return wrapper
# ===========================================
# SIMPLE SETTINGS
# ===========================================
class Settings:
"""Simple settings class"""
def __init__(self):
self.arf_mode = "demo"
self.use_true_arf = True
self.default_scenario = "Cache Miss Storm"
self.max_history_items = 100
self.auto_refresh_seconds = 30
self.show_boundaries = True
self.architectural_honesty = True
settings = Settings()
# ===========================================
# ARF INSTALLATION CHECK - FIXED VERSION
# ===========================================
def check_arf_installation():
"""Check if real ARF packages are installed - Fixed version"""
results = {
"oss_installed": False,
"enterprise_installed": False,
"oss_version": None,
"enterprise_version": None,
"oss_edition": "unknown",
"oss_license": "unknown",
"execution_allowed": False,
"recommendations": [],
"boundaries": {
"oss_can": ["advisory_analysis", "rag_search", "healing_intent"],
"oss_cannot": ["execute", "modify_infra", "autonomous_healing"],
"enterprise_requires": ["license", "infra_access", "safety_controls"]
},
"badges": {
"oss": {"text": "⚠️ Mock ARF", "color": "#f59e0b", "icon": "⚠️"},
"enterprise": {"text": "πŸ”’ Enterprise Required", "color": "#64748b", "icon": "πŸ”’"}
},
"timestamp": datetime.datetime.now().isoformat()
}
# Check OSS package using InstallationHelper
installation_helper = InstallationHelper()
status = installation_helper.check_installation()
results["oss_installed"] = status["oss_installed"]
results["oss_version"] = status["oss_version"]
results["enterprise_installed"] = status["enterprise_installed"]
results["enterprise_version"] = status["enterprise_version"]
results["recommendations"] = status["recommendations"]
if results["oss_installed"]:
results["badges"]["oss"] = {
"text": f"βœ… ARF OSS v{results['oss_version']}",
"color": "#10b981",
"icon": "βœ…"
}
logger.info(f"βœ… ARF OSS v{results['oss_version']} detected")
else:
logger.info("⚠️ ARF OSS not installed - using mock mode")
if results["enterprise_installed"]:
results["badges"]["enterprise"] = {
"text": f"πŸš€ Enterprise v{results['enterprise_version']}",
"color": "#8b5cf6",
"icon": "πŸš€"
}
logger.info(f"βœ… ARF Enterprise v{results['enterprise_version']} detected")
else:
logger.info("⚠️ ARF Enterprise not installed - using simulation")
return results
_installation_status = None
def get_installation_status():
"""Get cached installation status"""
global _installation_status
if _installation_status is None:
_installation_status = check_arf_installation()
return _installation_status
# ===========================================
# RELIABLE VISUALIZATION HELPERS
# ===========================================
def create_simple_telemetry_plot(scenario_name: str, is_real_arf: bool = True):
"""Simple guaranteed-to-work telemetry plot with boundary indicators"""
try:
# Try to use real visualization if available
components = get_components()
if components["all_available"] and "EnhancedVisualizationEngine" in components:
viz_engine = components["EnhancedVisualizationEngine"]
return viz_engine.create_telemetry_plot(scenario_name, True, is_real_arf)
except Exception as e:
logger.warning(f"Real telemetry plot failed, using fallback: {e}")
# Fallback to HTML
return create_html_telemetry_fallback(scenario_name, is_real_arf)
def create_html_telemetry_fallback(scenario_name: str, is_real_arf: bool) -> str:
"""HTML fallback for telemetry visualization"""
severity_colors = {
"Cache Miss Storm": "#f59e0b",
"Database Connection Pool Exhaustion": "#ef4444",
"Kubernetes Memory Leak": "#8b5cf6",
"API Rate Limit Storm": "#ec4899",
"Network Partition": "#14b8a6",
"Storage I/O Saturation": "#84cc16"
}
color = severity_colors.get(scenario_name, "#64748b")
boundary_indicator = "🏒 ENTERPRISE" if is_real_arf else "πŸ”“ OSS ONLY"
return f"""
<div style="border: 1px solid {color}; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, {color}10 0%, #ffffff 100%);
position: relative; overflow: hidden;">
<!-- Boundary indicator -->
<div style="position: absolute; top: 10px; right: 10px; background: {color};
color: white; padding: 4px 10px; border-radius: 12px; font-size: 11px;
font-weight: bold;">
{boundary_indicator}
</div>
<div style="display: flex; justify-content: space-between; align-items: flex-start;">
<div>
<h4 style="margin: 0 0 10px 0; font-size: 16px; color: #1e293b; font-weight: 600;">
πŸ“Š Telemetry: {scenario_name}
</h4>
<p style="margin: 0; font-size: 13px; color: #64748b; max-width: 300px;">
Real-time metrics showing anomalous behavior pattern detection.
ARF analyzes 45+ data points per second.
</p>
</div>
<div style="text-align: right;">
<div style="font-size: 28px; font-weight: 700; color: {color}; margin-bottom: 5px;">
94%
</div>
<div style="font-size: 12px; color: #64748b;">
Anomaly Confidence
</div>
</div>
</div>
<!-- Simulated telemetry chart -->
<div style="margin-top: 20px; height: 100px; position: relative;">
<div style="position: absolute; bottom: 0; left: 0; width: 100%; height: 2px;
background: #e2e8f0;"></div>
<!-- Anomaly region -->
<div style="position: absolute; bottom: 0; left: 60%; width: 30%; height: 80px;
background: linear-gradient(90deg, {color}20, {color}40); border-radius: 6px 6px 0 0;
border: 2px solid {color}; border-bottom: none;">
<div style="position: absolute; top: -25px; left: 50%; transform: translateX(-50%);
background: {color}; color: white; padding: 2px 8px; border-radius: 10px;
font-size: 11px; font-weight: bold; white-space: nowrap;">
ANOMALY
</div>
</div>
<!-- Data points -->
<div style="position: absolute; bottom: 0; left: 0; width: 60%; height: 40px;
background: linear-gradient(90deg, #10b98120, #10b98140); border-radius: 6px 0 0 0;">
</div>
</div>
<!-- Metrics row -->
<div style="display: grid; grid-template-columns: repeat(3, 1fr); gap: 15px; margin-top: 20px;">
<div style="text-align: center;">
<div style="font-size: 14px; font-weight: 600; color: {color};">45s</div>
<div style="font-size: 11px; color: #64748b;">Detection Time</div>
</div>
<div style="text-align: center;">
<div style="font-size: 14px; font-weight: 600; color: {color};">12/min</div>
<div style="font-size: 11px; color: #64748b;">Data Points</div>
</div>
<div style="text-align: center;">
<div style="font-size: 14px; font-weight: 600; color: {color};">3</div>
<div style="font-size: 11px; color: #64748b;">Similar Patterns</div>
</div>
</div>
<!-- Boundary note -->
<div style="margin-top: 15px; padding: 10px; background: #f8fafc; border-radius: 8px;
border-left: 3px solid {color}; font-size: 12px; color: #475569;">
<strong>Boundary:</strong> This visualization shows {'real' if is_real_arf else 'simulated'}
telemetry analysis. {'Enterprise' if is_real_arf else 'OSS'} edition provides enhanced
anomaly detection.
</div>
</div>
"""
def create_simple_impact_plot(scenario_name: str, is_real_arf: bool = True):
"""Simple guaranteed-to-work impact plot with boundary indicators"""
try:
components = get_components()
if components["all_available"] and "EnhancedVisualizationEngine" in components:
viz_engine = components["EnhancedVisualizationEngine"]
return viz_engine.create_impact_gauge(scenario_name, is_real_arf)
except Exception as e:
logger.warning(f"Real impact plot failed, using fallback: {e}")
return create_html_impact_fallback(scenario_name, is_real_arf)
def create_html_impact_fallback(scenario_name: str, is_real_arf: bool) -> str:
"""HTML fallback for impact visualization"""
impact_values = {
"Cache Miss Storm": 8500,
"Database Connection Pool Exhaustion": 4200,
"Kubernetes Memory Leak": 5500,
"API Rate Limit Storm": 3800,
"Network Partition": 12000,
"Storage I/O Saturation": 6800
}
impact = impact_values.get(scenario_name, 5000)
savings = int(impact * 0.85)
boundary_text = "Enterprise Autonomous" if is_real_arf else "OSS Advisory"
boundary_color = "#8b5cf6" if is_real_arf else "#10b981"
return f"""
<div style="border: 1px solid {boundary_color}; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, {boundary_color}10 0%, #ffffff 100%);">
<div style="display: flex; justify-content: space-between; align-items: flex-start; margin-bottom: 20px;">
<div>
<h4 style="margin: 0 0 8px 0; font-size: 16px; color: #1e293b; font-weight: 600;">
πŸ’° Business Impact Analysis
</h4>
<div style="display: inline-block; padding: 4px 10px; background: {boundary_color};
color: white; border-radius: 12px; font-size: 11px; font-weight: bold;">
{boundary_text}
</div>
</div>
<div style="text-align: right;">
<div style="font-size: 24px; font-weight: 700; color: {boundary_color};">
${impact:,}
</div>
<div style="font-size: 12px; color: #64748b;">
Revenue Loss/Hour
</div>
</div>
</div>
<!-- Gauge visualization -->
<div style="position: relative; height: 80px; margin: 20px 0;">
<!-- Gauge background -->
<div style="position: absolute; top: 0; left: 0; width: 100%; height: 40px;
background: #f1f5f9; border-radius: 20px; overflow: hidden;">
<!-- Impact fill -->
<div style="position: absolute; top: 0; left: 0; width: 85%; height: 100%;
background: linear-gradient(90deg, {boundary_color}, {boundary_color}aa);">
</div>
<!-- Savings indicator -->
<div style="position: absolute; top: 0; left: 85%; width: 2px; height: 100%;
background: #10b981; z-index: 2;"></div>
</div>
<!-- Labels -->
<div style="position: absolute; top: 50px; left: 0; font-size: 12px; color: #64748b;">
$0
</div>
<div style="position: absolute; top: 50px; left: 50%; transform: translateX(-50%);
font-size: 12px; color: #64748b;">
${impact//2:,}
</div>
<div style="position: absolute; top: 50px; right: 0; font-size: 12px; color: #64748b;">
${impact:,}
</div>
<!-- Savings marker -->
<div style="position: absolute; top: -25px; left: 85%; transform: translateX(-50%);
text-align: center;">
<div style="width: 0; height: 0; border-left: 6px solid transparent;
border-right: 6px solid transparent; border-top: 10px solid #10b981;
margin: 0 auto 5px auto;"></div>
<div style="font-size: 11px; color: #10b981; font-weight: bold; white-space: nowrap;">
${savings:,} SAVED
</div>
</div>
</div>
<!-- Impact breakdown -->
<div style="display: grid; grid-template-columns: repeat(2, 1fr); gap: 15px; margin-top: 25px;">
<div style="padding: 12px; background: #f8fafc; border-radius: 8px;">
<div style="font-size: 13px; color: #64748b; margin-bottom: 5px;">Without ARF</div>
<div style="font-size: 16px; font-weight: 700; color: #ef4444;">45 min</div>
<div style="font-size: 11px; color: #94a3b8;">Mean time to resolve</div>
</div>
<div style="padding: 12px; background: #f8fafc; border-radius: 8px;">
<div style="font-size: 13px; color: #64748b; margin-bottom: 5px;">With ARF</div>
<div style="font-size: 16px; font-weight: 700; color: #10b981;">12 min</div>
<div style="font-size: 11px; color: #94a3b8;">Autonomous recovery</div>
</div>
</div>
<!-- ROI indicator -->
<div style="margin-top: 20px; padding: 12px; background: #f0fdf4; border-radius: 8px;
border: 1px solid #d1fae5; display: flex; align-items: center; gap: 12px;">
<div style="font-size: 24px; color: #10b981;">πŸ“ˆ</div>
<div>
<div style="font-size: 14px; font-weight: 600; color: #065f46;">
Potential ROI: 5.2Γ—
</div>
<div style="font-size: 12px; color: #059669;">
ARF saves 85% of potential revenue loss through autonomous recovery
</div>
</div>
</div>
<!-- Boundary context -->
<div style="margin-top: 15px; padding-top: 15px; border-top: 1px dashed #e2e8f0;
font-size: 12px; color: #64748b; line-height: 1.5;">
<strong>Boundary Context:</strong> {'Enterprise' if is_real_arf else 'OSS'} analysis shows
{'real' if is_real_arf else 'simulated'} impact metrics.
{'Commercial license enables autonomous execution.' if is_real_arf else 'Upgrade to Enterprise for autonomous recovery.'}
</div>
</div>
"""
def create_empty_plot(title: str, is_real_arf: bool = True):
"""Create an empty placeholder plot with boundary indicators"""
boundary_color = "#8b5cf6" if is_real_arf else "#10b981"
boundary_text = "Enterprise" if is_real_arf else "OSS"
return f"""
<div style="border: 1px dashed {boundary_color}; border-radius: 14px; padding: 40px 20px;
background: {boundary_color}08; text-align: center;">
<div style="font-size: 48px; color: {boundary_color}40; margin-bottom: 15px;">
πŸ“Š
</div>
<h4 style="margin: 0 0 10px 0; font-size: 16px; color: #64748b; font-weight: 600;">
{title}
</h4>
<p style="margin: 0; font-size: 13px; color: #94a3b8; max-width: 300px; margin: 0 auto;">
Visualization placeholder for {boundary_text} edition.
Install real ARF for enhanced charts.
</p>
</div>
"""
def get_inactive_agent_html(agent_name: str, description: str, is_real_arf: bool = False):
"""Get HTML for inactive agent state with boundary indicators"""
boundary_color = "#8b5cf6" if is_real_arf else "#10b981"
status_color = "#64748b"
return f"""
<div style="border: 1px solid {status_color}40; border-radius: 12px; padding: 20px;
background: linear-gradient(135deg, #f8fafc 0%, #f1f5f9 100%);
position: relative; min-height: 120px;">
<!-- Status indicator -->
<div style="position: absolute; top: 15px; right: 15px; width: 12px; height: 12px;
background: {status_color}60; border-radius: 50%;"></div>
<!-- Agent header -->
<div style="display: flex; align-items: center; gap: 12px; margin-bottom: 15px;">
<div style="width: 40px; height: 40px; background: {status_color}20; border-radius: 10px;
display: flex; align-items: center; justify-content: center; font-size: 18px; color: {status_color};">
πŸ€–
</div>
<div>
<h4 style="margin: 0 0 4px 0; font-size: 16px; color: #475569; font-weight: 600;">
{agent_name}
</h4>
<div style="display: inline-block; padding: 3px 8px; background: {status_color}20;
color: {status_color}; border-radius: 10px; font-size: 11px; font-weight: bold;">
INACTIVE
</div>
</div>
</div>
<!-- Agent description -->
<p style="margin: 0; font-size: 13px; color: #64748b; line-height: 1.5;">
{description}
</p>
<!-- Boundary note -->
<div style="margin-top: 15px; padding-top: 15px; border-top: 1px dashed #e2e8f0;">
<div style="font-size: 11px; color: #94a3b8; display: flex; align-items: center; gap: 6px;">
<span style="display: inline-block; width: 8px; height: 8px; background: {boundary_color}; border-radius: 50%;"></span>
Requires { 'Enterprise' if is_real_arf else 'OSS' } activation
</div>
</div>
</div>
"""
# ===========================================
# IMPORT MODULAR COMPONENTS
# ===========================================
def import_components() -> Dict[str, Any]:
"""Safely import all components with proper error handling"""
components = {
"all_available": False,
"error": None,
"get_styles": lambda: "",
"show_boundaries": settings.show_boundaries,
}
try:
logger.info("Starting component import...")
# First, import gradio
import gradio as gr
components["gr"] = gr
# Import UI styles
from ui.styles import get_styles
components["get_styles"] = get_styles
# Import UI components
from ui.components import (
create_header, create_status_bar, create_tab1_incident_demo,
create_tab2_business_roi, create_tab3_enterprise_features,
create_tab4_audit_trail, create_tab5_learning_engine,
create_footer
)
components.update({
"create_header": create_header,
"create_status_bar": create_status_bar,
"create_tab1_incident_demo": create_tab1_incident_demo,
"create_tab2_business_roi": create_tab2_business_roi,
"create_tab3_enterprise_features": create_tab3_enterprise_features,
"create_tab4_audit_trail": create_tab4_audit_trail,
"create_tab5_learning_engine": create_tab5_learning_engine,
"create_footer": create_footer,
})
# Import scenarios
from demo.scenarios import INCIDENT_SCENARIOS
components["INCIDENT_SCENARIOS"] = INCIDENT_SCENARIOS
# Try to import TrueARF337Orchestrator
try:
from core.true_arf_orchestrator import TrueARF337Orchestrator
components["DemoOrchestrator"] = TrueARF337Orchestrator
except ImportError:
# Fallback to real ARF integration
try:
from core.real_arf_integration import RealARFIntegration
components["DemoOrchestrator"] = RealARFIntegration
except ImportError:
# Create a minimal mock orchestrator
class MockOrchestrator:
async def analyze_incident(self, scenario_name, scenario_data):
return {
"status": "mock",
"scenario": scenario_name,
"message": "Mock analysis (no real ARF available)",
"boundary_note": "OSS advisory mode - execution requires Enterprise",
"demo_display": {
"real_arf_version": "mock",
"true_oss_used": False,
"enterprise_simulated": True,
"architectural_boundary": "OSS advises β†’ Enterprise would execute"
}
}
async def execute_healing(self, scenario_name, mode="autonomous"):
return {
"status": "mock",
"scenario": scenario_name,
"message": "Mock execution (no real ARF available)",
"boundary_note": "Simulated Enterprise execution - real execution requires infrastructure",
"enterprise_features_used": ["simulated_execution", "mock_rollback", "demo_mode"]
}
components["DemoOrchestrator"] = MockOrchestrator
# Try to import ROI calculator
try:
from core.calculators import EnhancedROICalculator
components["EnhancedROICalculator"] = EnhancedROICalculator()
except ImportError:
class MockCalculator:
def calculate_comprehensive_roi(self, **kwargs):
return {
"status": "βœ… Calculated Successfully",
"summary": {
"your_annual_impact": "$1,530,000",
"potential_savings": "$1,254,600",
"enterprise_cost": "$625,000",
"roi_multiplier": "5.2Γ—",
"payback_months": "6.0",
"annual_roi_percentage": "420%",
"boundary_context": "Based on OSS analysis + simulated Enterprise execution"
},
"boundary_note": "ROI calculation includes OSS advisory value and simulated Enterprise execution benefits"
}
components["EnhancedROICalculator"] = MockCalculator()
# Try to import visualization engine
try:
from core.visualizations import EnhancedVisualizationEngine
components["EnhancedVisualizationEngine"] = EnhancedVisualizationEngine()
except ImportError:
class MockVisualizationEngine:
def create_executive_dashboard(self, data=None, is_real_arf=True):
return create_empty_plot("Executive Dashboard", is_real_arf)
def create_telemetry_plot(self, scenario_name, anomaly_detected=True, is_real_arf=True):
return create_simple_telemetry_plot(scenario_name, is_real_arf)
def create_impact_gauge(self, scenario_name, is_real_arf=True):
return create_simple_impact_plot(scenario_name, is_real_arf)
def create_timeline_comparison(self, is_real_arf=True):
return create_empty_plot("Timeline Comparison", is_real_arf)
components["EnhancedVisualizationEngine"] = MockVisualizationEngine()
components["all_available"] = True
components["error"] = None
logger.info("βœ… Successfully imported all modular components")
except Exception as e:
logger.error(f"❌ IMPORT ERROR: {e}")
components["error"] = str(e)
components["all_available"] = False
# Ensure we have minimal components
if "gr" not in components:
import gradio as gr
components["gr"] = gr
if "INCIDENT_SCENARIOS" not in components:
components["INCIDENT_SCENARIOS"] = {
"Cache Miss Storm": {
"component": "Redis Cache Cluster",
"severity": "HIGH",
"business_impact": {"revenue_loss_per_hour": 8500},
"boundary_note": "OSS analysis only - execution requires Enterprise"
}
}
return components
_components = None
_audit_manager = None
def get_components() -> Dict[str, Any]:
"""Lazy load components singleton"""
global _components
if _components is None:
_components = import_components()
return _components
# ===========================================
# AUDIT TRAIL MANAGER
# ===========================================
class AuditTrailManager:
"""Enhanced audit trail manager with boundary tracking"""
def __init__(self):
self.executions = []
self.incidents = []
self.boundary_crossings = []
self.max_items = settings.max_history_items
def add_execution(self, scenario_name: str, mode: str, result: Dict):
"""Add an execution record"""
record = {
"timestamp": datetime.datetime.now().isoformat(),
"scenario": scenario_name,
"mode": mode,
"result": result,
"boundary_context": "Enterprise execution simulated" if "simulated" in str(result) else "OSS advisory"
}
self.executions.insert(0, record)
if len(self.executions) > self.max_items:
self.executions = self.executions[:self.max_items]
# Track boundary crossing
if "enterprise" in mode.lower():
self.boundary_crossings.append({
"timestamp": record["timestamp"],
"from": "OSS",
"to": "Enterprise",
"action": scenario_name
})
logger.info(f"πŸ“ Execution recorded: {scenario_name} ({mode})")
return record
def add_incident(self, scenario_name: str, analysis_result: Dict):
"""Add an incident analysis record"""
record = {
"timestamp": datetime.datetime.now().isoformat(),
"scenario": scenario_name,
"analysis": analysis_result,
"boundary_context": analysis_result.get("boundary_note", "OSS analysis")
}
self.incidents.insert(0, record)
if len(self.incidents) > self.max_items:
self.incidents = self.incidents[:self.max_items]
logger.info(f"πŸ“ Incident analysis recorded: {scenario_name}")
return record
def get_execution_table(self):
"""Get executions as HTML table"""
if not self.executions:
return """
<div style="text-align: center; padding: 30px; color: #64748b;">
<div style="font-size: 48px; margin-bottom: 10px;">πŸ“­</div>
<h4 style="margin: 0 0 10px 0;">No executions yet</h4>
<p style="margin: 0; font-size: 13px;">Run scenarios to see execution history</p>
</div>
"""
rows = []
for i, exec in enumerate(self.executions[:10]):
status = "βœ…" if "success" in exec["result"].get("status", "").lower() else "⚠️"
boundary = exec["boundary_context"]
boundary_color = "#10b981" if "OSS" in boundary else "#8b5cf6"
rows.append(f"""
<tr style="border-bottom: 1px solid #f1f5f9;">
<td style="padding: 12px; font-size: 13px; color: #1e293b;">
{status} {exec["scenario"]}
</td>
<td style="padding: 12px; font-size: 13px; color: #64748b;">
{exec["mode"]}
</td>
<td style="padding: 12px; font-size: 13px;">
<div style="display: inline-block; padding: 4px 10px; background: {boundary_color}20;
color: {boundary_color}; border-radius: 12px; font-size: 11px; font-weight: bold;">
{boundary}
</div>
</td>
<td style="padding: 12px; font-size: 13px; color: #94a3b8;">
{exec["timestamp"][11:19]}
</td>
</tr>
""")
return f"""
<div style="border: 1px solid #e2e8f0; border-radius: 12px; overflow: hidden;">
<table style="width: 100%; border-collapse: collapse;">
<thead style="background: #f8fafc;">
<tr style="border-bottom: 2px solid #e2e8f0;">
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Scenario</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Mode</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Boundary</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Time</th>
</tr>
</thead>
<tbody>
{''.join(rows)}
</tbody>
</table>
</div>
"""
def get_incident_table(self):
"""Get incidents as HTML table"""
if not self.incidents:
return """
<div style="text-align: center; padding: 30px; color: #64748b;">
<div style="font-size: 48px; margin-bottom: 10px;">πŸ“­</div>
<h4 style="margin: 0 0 10px 0;">No incidents analyzed yet</h4>
<p style="margin: 0; font-size: 13px;">Run OSS analysis to see incident history</p>
</div>
"""
rows = []
for i, incident in enumerate(self.incidents[:10]):
scenario = incident["scenario"]
analysis = incident["analysis"]
boundary = incident["boundary_context"]
boundary_color = "#10b981" if "OSS" in boundary else "#8b5cf6"
rows.append(f"""
<tr style="border-bottom: 1px solid #f1f5f9;">
<td style="padding: 12px; font-size: 13px; color: #1e293b; font-weight: 500;">
{scenario}
</td>
<td style="padding: 12px; font-size: 13px; color: #64748b;">
{analysis.get('status', 'analyzed')}
</td>
<td style="padding: 12px; font-size: 13px;">
<div style="display: inline-block; padding: 4px 10px; background: {boundary_color}20;
color: {boundary_color}; border-radius: 12px; font-size: 11px; font-weight: bold;">
{boundary}
</div>
</td>
<td style="padding: 12px; font-size: 13px; color: #94a3b8;">
{incident["timestamp"][11:19]}
</td>
</tr>
""")
return f"""
<div style="border: 1px solid #e2e8f0; border-radius: 12px; overflow: hidden;">
<table style="width: 100%; border-collapse: collapse;">
<thead style="background: #f8fafc;">
<tr style="border-bottom: 2px solid #e2e8f0;">
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Scenario</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Status</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Boundary</th>
<th style="padding: 15px; text-align: left; font-size: 13px; color: #475569; font-weight: 600;">Time</th>
</tr>
</thead>
<tbody>
{''.join(rows)}
</tbody>
</table>
</div>
"""
def clear(self):
"""Clear all audit trails"""
self.executions = []
self.incidents = []
self.boundary_crossings = []
logger.info("🧹 Audit trail cleared")
def export_json(self):
"""Export audit trail as JSON"""
return {
"executions": self.executions,
"incidents": self.incidents,
"boundary_crossings": self.boundary_crossings,
"export_time": datetime.datetime.now().isoformat(),
"version": "3.3.7",
"architecture": "OSS advises β†’ Enterprise executes"
}
def get_audit_manager() -> AuditTrailManager:
"""Lazy load audit manager singleton"""
global _audit_manager
if _audit_manager is None:
_audit_manager = AuditTrailManager()
return _audit_manager
# ===========================================
# HELPER FUNCTIONS
# ===========================================
def get_scenario_impact(scenario_name: str) -> float:
"""Get average impact for a given scenario"""
impact_map = {
"Cache Miss Storm": 8500,
"Database Connection Pool Exhaustion": 4200,
"Kubernetes Memory Leak": 5500,
"API Rate Limit Storm": 3800,
"Network Partition": 12000,
"Storage I/O Saturation": 6800
}
return impact_map.get(scenario_name, 5000)
def extract_roi_multiplier(roi_result: Dict) -> float:
"""Extract ROI multiplier from EnhancedROICalculator result"""
try:
if "summary" in roi_result and "roi_multiplier" in roi_result["summary"]:
roi_str = roi_result["summary"]["roi_multiplier"]
if "Γ—" in roi_str:
return float(roi_str.replace("Γ—", ""))
return float(roi_str)
return 5.2
except Exception as e:
logger.warning(f"Failed to extract ROI multiplier: {e}")
return 5.2
# ===========================================
# SCENARIO UPDATE HANDLER
# ===========================================
def update_scenario_display(scenario_name: str) -> tuple:
"""Update all scenario-related displays with scenario-specific data"""
components = get_components()
scenarios = components["INCIDENT_SCENARIOS"]
scenario = scenarios.get(scenario_name, {
"component": "Unknown System",
"severity": "MEDIUM",
"business_impact": {"revenue_loss_per_hour": 5000},
"boundary_note": "Scenario not found"
})
# Create scenario card
severity_colors = {
"HIGH": "#ef4444",
"MEDIUM": "#f59e0b",
"LOW": "#10b981"
}
severity_color = severity_colors.get(scenario["severity"], "#64748b")
impact = scenario["business_impact"].get("revenue_loss_per_hour", get_scenario_impact(scenario_name))
scenario_card_html = f"""
<div style="border: 1px solid {severity_color}; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, {severity_color}10 0%, #ffffff 100%);">
<div style="display: flex; justify-content: space-between; align-items: flex-start; margin-bottom: 15px;">
<div>
<h3 style="margin: 0 0 8px 0; font-size: 18px; color: #1e293b; font-weight: 700;">
{scenario_name}
</h3>
<div style="display: flex; align-items: center; gap: 10px;">
<div style="padding: 4px 12px; background: {severity_color}; color: white;
border-radius: 12px; font-size: 12px; font-weight: bold;">
{scenario["severity"]} SEVERITY
</div>
<div style="font-size: 13px; color: #64748b;">
{scenario["component"]}
</div>
</div>
</div>
<div style="text-align: right;">
<div style="font-size: 28px; font-weight: 700; color: {severity_color};">
${impact:,}
</div>
<div style="font-size: 12px; color: #64748b;">
Revenue Loss/Hour
</div>
</div>
</div>
<!-- Impact breakdown -->
<div style="margin-top: 20px; padding-top: 20px; border-top: 1px solid #f1f5f9;">
<div style="font-size: 14px; color: #475569; font-weight: 600; margin-bottom: 10px;">
Business Impact Analysis
</div>
<div style="display: grid; grid-template-columns: repeat(3, 1fr); gap: 15px;">
<div style="text-align: center;">
<div style="font-size: 16px; font-weight: 700; color: {severity_color};">45 min</div>
<div style="font-size: 11px; color: #64748b;">Without ARF</div>
</div>
<div style="text-align: center;">
<div style="font-size: 16px; font-weight: 700; color: #10b981;">12 min</div>
<div style="font-size: 11px; color: #64748b;">With ARF</div>
</div>
<div style="text-align: center;">
<div style="font-size: 16px; font-weight: 700; color: #10b981;">${int(impact * 0.85):,}</div>
<div style="font-size: 11px; color: #64748b;">Savings</div>
</div>
</div>
</div>
<!-- Boundary context -->
<div style="margin-top: 20px; padding: 12px; background: #f8fafc; border-radius: 8px;
border-left: 3px solid {severity_color}; font-size: 12px; color: #475569;">
<strong>Boundary Context:</strong> {scenario.get('boundary_note', 'OSS analyzes, Enterprise executes')}
</div>
</div>
"""
# Get visualizations
telemetry_viz = create_simple_telemetry_plot(scenario_name, settings.use_true_arf)
impact_viz = create_simple_impact_plot(scenario_name, settings.use_true_arf)
# Create timeline visualization
timeline_viz = create_empty_plot("Incident Timeline", settings.use_true_arf)
return scenario_card_html, telemetry_viz, impact_viz, timeline_viz
# ===========================================
# TRUE ARF ANALYSIS HANDLER
# ===========================================
@AsyncRunner.async_to_sync
async def run_true_arf_analysis(scenario_name: str):
"""Run true ARF v3.3.7 analysis with OSS + Enterprise simulation"""
components = get_components()
installation = get_installation_status()
boundaries = BoundaryManager.get_system_boundaries()
logger.info(f"πŸ” Running True ARF analysis for: {scenario_name}")
try:
# Get orchestrator
orchestrator = components["DemoOrchestrator"]()
# Get scenario data
scenarios = components["INCIDENT_SCENARIOS"]
scenario_data = scenarios.get(scenario_name, {})
# Run analysis
analysis_result = await orchestrator.analyze_incident(scenario_name, scenario_data)
# Add to audit trail
get_audit_manager().add_incident(scenario_name, analysis_result)
# Check if we have real ARF
is_real_arf = installation["oss_installed"] or settings.use_true_arf
# Create agent displays based on analysis
if is_real_arf and "real" in str(analysis_result).lower():
# Real ARF detected
detection_html = f"""
<div style="border: 2px solid #10b981; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, #f0fdf4 0%, #bbf7d0 100%);">
<div style="display: flex; align-items: center; gap: 12px; margin-bottom: 15px;">
<div style="font-size: 32px;">πŸ•΅οΈ</div>
<div>
<h4 style="margin: 0 0 4px 0; font-size: 16px; color: #065f46; font-weight: 700;">
Detection Agent (ARF v3.3.7)
</h4>
<div style="padding: 4px 10px; background: #10b981; color: white;
border-radius: 12px; font-size: 11px; font-weight: bold;">
βœ… ACTIVE
</div>
</div>
</div>
<p style="margin: 0; font-size: 13px; color: #475569; line-height: 1.6;">
Real ARF v3.3.7 detected anomaly in 45 seconds with 94% confidence.
Analyzed 12 data points per minute across 4 dimensions.
</p>
<div style="margin-top: 15px; padding: 10px; background: #d1fae5; border-radius: 8px;
font-size: 12px; color: #065f46; font-weight: 500;">
<strong>Boundary:</strong> OSS analysis completed β†’ Ready for Enterprise execution
</div>
</div>
"""
recall_html = f"""
<div style="border: 2px solid #8b5cf6; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, #f5f3ff 0%, #e9d5ff 100%);">
<div style="display: flex; align-items: center; gap: 12px; margin-bottom: 15px;">
<div style="font-size: 32px;">🧠</div>
<div>
<h4 style="margin: 0 0 4px 0; font-size: 16px; color: #5b21b6; font-weight: 700;">
Recall Agent (RAG Memory)
</h4>
<div style="padding: 4px 10px; background: #8b5cf6; color: white;
border-radius: 12px; font-size: 11px; font-weight: bold;">
βœ… ACTIVE
</div>
</div>
</div>
<p style="margin: 0; font-size: 13px; color: #475569; line-height: 1.6;">
Found 3 similar incidents in RAG memory with 87% similarity.
Previous resolution time: 38 minutes. Healing success rate: 92%.
</p>
<div style="margin-top: 15px; padding: 10px; background: #ede9fe; border-radius: 8px;
font-size: 12px; color: #5b21b6; font-weight: 500;">
<strong>Boundary:</strong> Apache 2.0 licensed RAG memory accessible to both OSS and Enterprise
</div>
</div>
"""
decision_html = f"""
<div style="border: 2px solid #f59e0b; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, #fffbeb 0%, #fde68a 100%);">
<div style="display: flex; align-items: center; gap: 12px; margin-bottom: 15px;">
<div style="font-size: 32px;">πŸ€”</div>
<div>
<h4 style="margin: 0 0 4px 0; font-size: 16px; color: #92400e; font-weight: 700;">
Decision Agent (HealingIntent)
</h4>
<div style="padding: 4px 10px; background: #f59e0b; color: white;
border-radius: 12px; font-size: 11px; font-weight: bold;">
βœ… ACTIVE
</div>
</div>
</div>
<p style="margin: 0; font-size: 13px; color: #475569; line-height: 1.6;">
Created HealingIntent with 94% confidence. Autonomous recovery estimated at 12 minutes.
Manual alternative: 45 minutes. Rollback guarantee: 100%.
</p>
<div style="margin-top: 15px; padding: 10px; background: #fef3c7; border-radius: 8px;
font-size: 12px; color: #92400e; font-weight: 500;">
<strong>Boundary:</strong> OSS creates HealingIntent β†’ Enterprise executes it (requires license)
</div>
</div>
"""
results_html = f"""
<div style="border: 2px solid #10b981; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #f0fdf4 0%, #bbf7d0 100%);">
<div style="text-align: center; margin-bottom: 20px;">
<div style="font-size: 48px; margin-bottom: 10px;">βœ…</div>
<h3 style="margin: 0 0 10px 0; font-size: 20px; color: #065f46; font-weight: 700;">
True ARF v3.3.7 Analysis Complete
</h3>
<p style="margin: 0; font-size: 14px; color: #059669;">
Real ARF detected and analyzed successfully
</p>
</div>
<div style="display: grid; grid-template-columns: repeat(3, 1fr); gap: 15px; margin-bottom: 25px;">
<div style="text-align: center; padding: 15px; background: white; border-radius: 10px;">
<div style="font-size: 24px; font-weight: 700; color: #10b981;">45s</div>
<div style="font-size: 12px; color: #64748b;">Detection Time</div>
</div>
<div style="text-align: center; padding: 15px; background: white; border-radius: 10px;">
<div style="font-size: 24px; font-weight: 700; color: #8b5cf6;">94%</div>
<div style="font-size: 12px; color: #64748b;">Confidence</div>
</div>
<div style="text-align: center; padding: 15px; background: white; border-radius: 10px;">
<div style="font-size: 24px; font-weight: 700; color: #f59e0b;">3</div>
<div style="font-size: 12px; color: #64748b;">Similar Incidents</div>
</div>
</div>
<!-- Architecture boundary -->
<div style="padding: 15px; background: #d1fae5; border-radius: 10px; margin-bottom: 20px;">
<div style="display: flex; align-items: center; gap: 12px; margin-bottom: 10px;">
<div style="font-size: 24px;">πŸ—οΈ</div>
<div>
<div style="font-size: 14px; font-weight: 600; color: #065f46;">Architecture Boundary Reached</div>
<div style="font-size: 13px; color: #059669;">OSS analysis complete β†’ Ready for Enterprise execution</div>
</div>
</div>
<p style="margin: 0; font-size: 13px; color: #475569; line-height: 1.6;">
True ARF OSS has completed advisory analysis and created a HealingIntent.
Autonomous execution requires ARF Enterprise license (commercial).
</p>
</div>
<!-- Next steps -->
<div style="padding: 15px; background: #fef3c7; border-radius: 10px; border: 2px dashed #f59e0b;">
<div style="font-size: 14px; font-weight: 600; color: #92400e; margin-bottom: 10px;">
πŸš€ Next: Execute with Enterprise
</div>
<p style="margin: 0; font-size: 13px; color: #92400e; line-height: 1.6;">
Click "Execute Enterprise Healing" to simulate autonomous recovery.
In production, Enterprise would execute against real infrastructure.
</p>
</div>
</div>
"""
else:
# Mock analysis (no real ARF)
detection_html = get_inactive_agent_html(
"Detection Agent",
"Would detect anomalies using ARF's pattern recognition.",
False
)
recall_html = get_inactive_agent_html(
"Recall Agent",
"Would search RAG memory for similar incidents.",
False
)
decision_html = get_inactive_agent_html(
"Decision Agent",
"Would create HealingIntent based on analysis.",
False
)
results_html = f"""
<div style="border: 2px dashed #f59e0b; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #fffbeb 0%, #fde68a 100%);
text-align: center;">
<div style="font-size: 48px; margin-bottom: 15px;">⚠️</div>
<h3 style="margin: 0 0 10px 0; font-size: 20px; color: #92400e; font-weight: 700;">
Mock Analysis (ARF OSS Not Installed)
</h3>
<p style="margin: 0 0 20px 0; font-size: 14px; color: #b45309;">
Install agentic-reliability-framework==3.3.7 for real analysis
</p>
<div style="padding: 15px; background: #fef3c7; border-radius: 10px; margin-bottom: 20px;">
<div style="font-size: 14px; font-weight: 600; color: #92400e; margin-bottom: 10px;">
Architecture Demo Mode
</div>
<p style="margin: 0; font-size: 13px; color: #92400e; line-height: 1.6;">
Showing the complete ARF architecture: OSS analyzes β†’ Enterprise executes.
Install real ARF OSS for production-grade anomaly detection.
</p>
</div>
<div style="display: inline-block; padding: 12px 24px; background: #92400e;
color: white; border-radius: 12px; font-size: 14px; font-weight: bold;
text-decoration: none; margin-top: 10px;">
pip install agentic-reliability-framework==3.3.7
</div>
</div>
"""
return detection_html, recall_html, decision_html, results_html
except Exception as e:
logger.error(f"True ARF analysis failed: {e}")
# Fallback to mock analysis
detection_html = get_inactive_agent_html(
"Detection Agent",
f"Error: {str(e)[:100]}...",
False
)
recall_html = get_inactive_agent_html(
"Recall Agent",
"Error during analysis",
False
)
decision_html = get_inactive_agent_html(
"Decision Agent",
"Unable to create HealingIntent",
False
)
results_html = f"""
<div style="border: 2px solid #ef4444; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #fef2f2 0%, #fecaca 100%);">
<div style="text-align: center;">
<div style="font-size: 48px; margin-bottom: 15px;">❌</div>
<h3 style="margin: 0 0 10px 0; font-size: 20px; color: #dc2626; font-weight: 700;">
Analysis Failed
</h3>
<p style="margin: 0 0 20px 0; font-size: 14px; color: #b91c1c;">
Error: {str(e)[:200]}
</p>
<p style="font-size: 13px; color: #475569;">
This demonstrates the boundary: OSS analysis would have succeeded with real ARF installed.
</p>
</div>
</div>
"""
return detection_html, recall_html, decision_html, results_html
# ===========================================
# ENTERPRISE EXECUTION HANDLER
# ===========================================
def execute_enterprise_healing(scenario_name, approval_required, mcp_mode_value):
"""Execute enterprise healing with clear boundary indicators"""
import gradio as gr
components = get_components()
installation = get_installation_status()
boundaries = BoundaryManager.get_system_boundaries()
logger.info(f"⚑ Executing enterprise healing for: {scenario_name}")
logger.info(f" Approval required: {approval_required}")
logger.info(f" MCP mode: {mcp_mode_value}")
# Check if Enterprise is actually available
is_real_enterprise = installation["enterprise_installed"]
is_simulated = not is_real_enterprise
# Get scenario impact
scenario = components["INCIDENT_SCENARIOS"].get(scenario_name, {})
impact = scenario.get("business_impact", {})
revenue_loss = impact.get("revenue_loss_per_hour", get_scenario_impact(scenario_name))
savings = int(revenue_loss * 0.85)
# Create approval display
if approval_required:
approval_display = """
<div style="border: 3px solid #f59e0b; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #fffbeb 0%, #fef3c7 100%);
text-align: center; margin-bottom: 20px;">
<div style="font-size: 36px; margin-bottom: 15px;">⏳</div>
<h4 style="margin: 0 0 12px 0; font-size: 20px; color: #92400e; font-weight: 700;">
HUMAN APPROVAL REQUIRED
</h4>
<p style="font-size: 15px; color: #92400e; margin-bottom: 15px; line-height: 1.6;">
Based on your safety settings, this execution requires human approval.<br>
Click "Approve" in the interface to proceed with autonomous healing.
</p>
<div style="display: inline-block; padding: 12px 28px; background: #92400e;
color: white; border-radius: 16px; font-size: 14px; font-weight: bold;">
AWAITING APPROVAL
</div>
<p style="font-size: 13px; color: #92400e; margin-top: 15px; font-style: italic;">
This demonstrates ARF's safety-first approach to autonomous operations
</p>
</div>
"""
else:
approval_display = """
<div style="border: 3px solid #10b981; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #f0fdf4 0%, #bbf7d0 100%);
text-align: center; margin-bottom: 20px;">
<div style="font-size: 36px; margin-bottom: 15px;">⚑</div>
<h4 style="margin: 0 0 12px 0; font-size: 20px; color: #065f46; font-weight: 700;">
AUTONOMOUS APPROVAL GRANTED
</h4>
<p style="font-size: 15px; color: #065f46; margin-bottom: 15px; line-height: 1.6;">
Based on HealingIntent confidence (94%) and safety checks passed.<br>
Proceeding with autonomous execution.
</p>
<div style="display: inline-block; padding: 12px 28px; background: #065f46;
color: white; border-radius: 16px; font-size: 14px; font-weight: bold;">
APPROVED FOR AUTONOMOUS EXECUTION
</div>
</div>
"""
# Execute healing (async)
@AsyncRunner.async_to_sync
async def execute_async():
try:
orchestrator = components["DemoOrchestrator"]()
execution_result = await orchestrator.execute_healing(scenario_name, "autonomous")
# Add to audit trail
get_audit_manager().add_execution(scenario_name, "enterprise_autonomous", execution_result)
return execution_result
except Exception as e:
logger.error(f"Execution failed: {e}")
return {
"status": "failed",
"error": str(e),
"boundary_note": "Execution boundary reached - requires real Enterprise",
"demo_display": {
"recovery_time": "simulated",
"cost_saved": f"${savings:,} (simulated)",
"rollback_guarantee": "simulated"
}
}
execution_result = execute_async()
# Create results display
if is_real_enterprise:
# Real Enterprise execution
enterprise_results = {
"demo_mode": "Real Enterprise",
"scenario": scenario_name,
"arf_version": boundaries["enterprise"]["version"],
"true_enterprise_used": True,
"execution_mode": "autonomous" if not approval_required else "human_approved",
"boundary_crossed": True,
"mcp_integration": mcp_mode_value,
"execution_result": execution_result,
"outcome": {
"recovery_time": "12 minutes",
"manual_comparison": "45 minutes",
"cost_saved": f"${savings:,}",
"users_protected": "45,000",
"learning": "Pattern added to RAG memory"
},
"safety_features": [
"Rollback guarantee: 100%",
"Atomic execution",
"MCP validation",
"Resource isolation"
],
"architectural_summary": f"This demonstrates real ARF Enterprise v{boundaries['enterprise']['version']} execution with commercial license."
}
else:
# Simulated Enterprise execution
enterprise_results = {
"demo_mode": "Enterprise Simulation",
"scenario": scenario_name,
"arf_version": boundaries["enterprise"]["version"],
"true_enterprise_used": False,
"execution_mode": "simulated_autonomous",
"boundary_crossed": False, # Didn't really cross boundary
"mcp_integration": mcp_mode_value,
"execution_result": execution_result,
"outcome": {
"recovery_time": "12 minutes (simulated)",
"manual_comparison": "45 minutes",
"cost_saved": f"${savings:,} (simulated)",
"users_protected": "45,000 (simulated)",
"learning": "Pattern would be added to RAG memory"
},
"safety_features": [
"Rollback guarantee: 100% (simulated)",
"Atomic execution (simulated)",
"MCP validation (simulated)",
"Resource isolation (simulated)"
],
"architectural_summary": f"This simulates ARF Enterprise execution. Requires commercial license for real execution.",
"boundary_indicator": BoundaryManager.create_boundary_indicator(
f"Autonomous healing for {scenario_name}",
is_simulated=True
)
}
# Get execution table
execution_table = get_audit_manager().get_execution_table()
return approval_display, enterprise_results, execution_table
# ===========================================
# ROI CALCULATION FUNCTION
# ===========================================
def calculate_roi(scenario_name, monthly_incidents, team_size):
"""Calculate ROI with boundary context"""
components = get_components()
try:
# Try to use real ROI calculator
calculator = components["EnhancedROICalculator"]
roi_result = calculator.calculate_comprehensive_roi(
scenario_name=scenario_name,
monthly_incidents=monthly_incidents,
team_size=team_size
)
except Exception as e:
logger.warning(f"ROI calculation failed, using mock: {e}")
# Mock ROI calculation
impact_per_incident = get_scenario_impact(scenario_name)
annual_impact = impact_per_incident * monthly_incidents * 12
potential_savings = int(annual_impact * 0.82)
enterprise_cost = 625000 # Annual enterprise license
roi_multiplier = round(potential_savings / enterprise_cost, 1)
payback_months = round((enterprise_cost / (potential_savings / 12)), 1)
roi_result = {
"status": "βœ… Calculated Successfully",
"summary": {
"your_annual_impact": f"${annual_impact:,}",
"potential_savings": f"${potential_savings:,}",
"enterprise_cost": f"${enterprise_cost:,}",
"roi_multiplier": f"{roi_multiplier}Γ—",
"payback_months": f"{payback_months}",
"annual_roi_percentage": f"{int((potential_savings - enterprise_cost) / enterprise_cost * 100)}%",
"boundary_context": "Based on OSS analysis + simulated Enterprise execution"
},
"boundary_note": "ROI calculation includes OSS advisory value and simulated Enterprise execution benefits"
}
# Create HTML output
roi_multiplier_val = extract_roi_multiplier(roi_result)
roi_html = f"""
<div style="border: 1px solid #10b981; border-radius: 14px; padding: 25px;
background: linear-gradient(135deg, #f0fdf4 0%, #bbf7d0 100%);">
<div style="text-align: center; margin-bottom: 25px;">
<div style="font-size: 48px; margin-bottom: 10px;">πŸ’°</div>
<h3 style="margin: 0 0 10px 0; font-size: 20px; color: #065f46; font-weight: 700;">
ROI Analysis Complete
</h3>
<p style="margin: 0; font-size: 14px; color: #059669;">
Scenario: {scenario_name} β€’ {monthly_incidents} incidents/month β€’ {team_size}-person team
</p>
</div>
<!-- Key metrics -->
<div style="display: grid; grid-template-columns: repeat(3, 1fr); gap: 15px; margin-bottom: 25px;">
<div style="text-align: center; padding: 20px; background: white; border-radius: 10px;
box-shadow: 0 4px 12px rgba(16, 185, 129, 0.1);">
<div style="font-size: 28px; font-weight: 700; color: #10b981; margin-bottom: 8px;">
{roi_result['summary']['roi_multiplier']}
</div>
<div style="font-size: 12px; color: #64748b; text-transform: uppercase; letter-spacing: 1px;">
ROI Multiplier
</div>
</div>
<div style="text-align: center; padding: 20px; background: white; border-radius: 10px;
box-shadow: 0 4px 12px rgba(16, 185, 129, 0.1);">
<div style="font-size: 28px; font-weight: 700; color: #10b981; margin-bottom: 8px;">
{roi_result['summary']['payback_months']}m
</div>
<div style="font-size: 12px; color: #64748b; text-transform: uppercase; letter-spacing: 1px;">
Payback Period
</div>
</div>
<div style="text-align: center; padding: 20px; background: white; border-radius: 10px;
box-shadow: 0 4px 12px rgba(16, 185, 129, 0.1);">
<div style="font-size: 28px; font-weight: 700; color: #10b981; margin-bottom: 8px;">
{roi_result['summary']['annual_roi_percentage']}
</div>
<div style="font-size: 12px; color: #64748b; text-transform: uppercase; letter-spacing: 1px;">
Annual ROI
</div>
</div>
</div>
<!-- Financial breakdown -->
<div style="background: white; border-radius: 10px; padding: 20px; margin-bottom: 20px;">
<div style="font-size: 14px; font-weight: 600; color: #475569; margin-bottom: 15px;">
Financial Impact Analysis
</div>
<div style="display: grid; grid-template-columns: 1fr 1fr; gap: 15px;">
<div>
<div style="font-size: 12px; color: #64748b; margin-bottom: 5px;">Annual Impact Without ARF</div>
<div style="font-size: 18px; font-weight: 700; color: #ef4444;">
{roi_result['summary']['your_annual_impact']}
</div>
</div>
<div>
<div style="font-size: 12px; color: #64748b; margin-bottom: 5px;">Potential Savings with ARF</div>
<div style="font-size: 18px; font-weight: 700; color: #10b981;">
{roi_result['summary']['potential_savings']}
</div>
</div>
</div>
<div style="margin-top: 15px; padding-top: 15px; border-top: 1px solid #f1f5f9;">
<div style="font-size: 12px; color: #64748b; margin-bottom: 5px;">ARF Enterprise Annual Cost</div>
<div style="font-size: 18px; font-weight: 700; color: #8b5cf6;">
{roi_result['summary']['enterprise_cost']}
</div>
</div>
</div>
<!-- Boundary context -->
<div style="padding: 15px; background: #f8fafc; border-radius: 10px; border-left: 3px solid #10b981;">
<div style="display: flex; align-items: center; gap: 10px; margin-bottom: 10px;">
<div style="font-size: 20px;">πŸ—οΈ</div>
<div style="font-size: 14px; font-weight: 600; color: #065f46;">
Architecture Boundary Context
</div>
</div>
<p style="margin: 0; font-size: 13px; color: #475569; line-height: 1.6;">
ROI includes value from both OSS advisory analysis and Enterprise autonomous execution.
This demonstrates the complete ARF value proposition across the architectural boundary.
</p>
</div>
<!-- Call to action -->
<div style="margin-top: 20px; padding-top: 20px; border-top: 1px dashed #d1fae5;
text-align: center; font-size: 13px; color: #64748b;">
Ready to realize these savings? <a href="#" style="color: #8b5cf6; font-weight: 600; text-decoration: none;">
Contact sales for Enterprise license β†’</a>
</div>
</div>
"""
# Create simple ROI chart
roi_chart = create_empty_plot("ROI Analysis Chart", True)
return roi_html, roi_chart
# ===========================================
# CREATE DEMO INTERFACE - FIXED VERSION
# ===========================================
def create_demo_interface():
"""Create demo interface using modular components with boundary awareness"""
import gradio as gr
# Get components
components = get_components()
# Get CSS styles
css_styles = components["get_styles"]()
# Store CSS for later use in launch()
global _demo_css
_demo_css = css_styles
# Get boundary badges for the interface
boundary_badges = BoundaryManager.get_boundary_badges()
# Create interface without css parameter (will be added in launch)
with gr.Blocks(
title=f"πŸš€ ARF Investor Demo v3.8.0 - TRUE ARF v3.3.7"
) as demo:
# Header
header_html = components["create_header"]("3.3.7", settings.use_true_arf)
# Status bar with boundary badges
status_html = components["create_status_bar"]()
# Add boundary badges as a separate element
boundary_display = gr.HTML(value=boundary_badges, visible=settings.show_boundaries)
# ============ 5 TABS ============
with gr.Tabs(elem_classes="tab-nav"):
# TAB 1: Live Incident Demo
with gr.TabItem("πŸ”₯ Live Incident Demo", id="tab1"):
(scenario_dropdown, scenario_card, telemetry_viz, impact_viz,
workflow_header, detection_agent, recall_agent, decision_agent,
oss_section, enterprise_section, oss_btn, enterprise_btn,
approval_toggle, mcp_mode, timeline_viz,
detection_time, mttr, auto_heal, savings,
oss_results_display, enterprise_results_display, approval_display, demo_btn) = components["create_tab1_incident_demo"]()
# TAB 2: Business ROI
with gr.TabItem("πŸ’° Business Impact & ROI", id="tab2"):
(dashboard_output, roi_scenario_dropdown, monthly_slider, team_slider,
calculate_btn, roi_output, roi_chart) = components["create_tab2_business_roi"](components["INCIDENT_SCENARIOS"])
# TAB 3: Enterprise Features
with gr.TabItem("🏒 Enterprise Features", id="tab3"):
(license_display, validate_btn, trial_btn, upgrade_btn,
mcp_mode_tab3, mcp_mode_info, features_table, integrations_table) = components["create_tab3_enterprise_features"]()
# TAB 4: Audit Trail
with gr.TabItem("πŸ“œ Audit Trail & History", id="tab4"):
(refresh_btn, clear_btn, export_btn, execution_table,
incident_table, export_text) = components["create_tab4_audit_trail"]()
# TAB 5: Learning Engine
with gr.TabItem("🧠 Learning Engine", id="tab5"):
(learning_graph, graph_type, show_labels, search_query, search_btn,
clear_btn_search, search_results, stats_display, patterns_display,
performance_display) = components["create_tab5_learning_engine"]()
# Footer
footer_html = components["create_footer"]()
# ============ EVENT HANDLERS ============
# Update scenario display when dropdown changes
scenario_dropdown.change(
fn=update_scenario_display,
inputs=[scenario_dropdown],
outputs=[scenario_card, telemetry_viz, impact_viz, timeline_viz]
)
# Run OSS Analysis
oss_btn.click(
fn=run_true_arf_analysis,
inputs=[scenario_dropdown],
outputs=[
detection_agent, recall_agent, decision_agent,
oss_results_display, incident_table
]
)
# Execute Enterprise Healing
enterprise_btn.click(
fn=execute_enterprise_healing,
inputs=[scenario_dropdown, approval_toggle, mcp_mode],
outputs=[approval_display, enterprise_results_display, execution_table]
)
# Run Complete Demo with boundary progression
@AsyncRunner.async_to_sync
async def run_complete_demo_async(scenario_name):
"""Run a complete demo walkthrough with true ARF and boundary awareness"""
# Step 1: Update scenario
update_result = update_scenario_display(scenario_name)
# Step 2: Run true ARF analysis
oss_result = await run_true_arf_analysis(scenario_name)
# Step 3: Execute Enterprise (simulation) with boundary context
await asyncio.sleep(1)
scenario = components["INCIDENT_SCENARIOS"].get(scenario_name, {})
impact = scenario.get("business_impact", {})
revenue_loss = impact.get("revenue_loss_per_hour", get_scenario_impact(scenario_name))
savings = int(revenue_loss * 0.85)
# Get boundary context
boundaries = BoundaryManager.get_system_boundaries()
# Get orchestrator for execution simulation
orchestrator = components["DemoOrchestrator"]()
execution_result = await orchestrator.execute_healing(scenario_name, "autonomous")
enterprise_results = {
"demo_mode": "Complete Walkthrough",
"scenario": scenario_name,
"arf_version": "3.3.7",
"true_oss_used": True,
"enterprise_simulated": True,
"boundary_progression": [
f"1. Incident detected - {boundaries['oss']['label']}",
f"2. OSS analysis completed - {boundaries['oss']['label']}",
f"3. HealingIntent created - {boundaries['oss']['label']}",
f"4. Enterprise license validated ({boundaries['enterprise']['label']})",
f"5. Autonomous execution simulated ({boundaries['enterprise']['label']}+)",
f"6. Outcome recorded in RAG memory"
],
"execution_result": execution_result,
"outcome": {
"recovery_time": "12 minutes",
"manual_comparison": "45 minutes",
"cost_saved": f"${savings:,}",
"users_protected": "45,000",
"learning": "Pattern added to RAG memory"
},
"architectural_summary": f"This demonstrates the complete ARF v3.3.7 architecture: {boundaries['oss']['label']} for advisory analysis β†’ {boundaries['enterprise']['label']} for autonomous execution"
}
# Create demo completion message with enhanced boundary context
demo_message = f"""
<div style="border: 1px solid #e2e8f0; border-radius: 14px; padding: 20px;
background: linear-gradient(135deg, #f0fdf4 0%, #e9d5ff 100%); margin-top: 20px;
box-shadow: 0 8px 32px rgba(16, 185, 129, 0.1);">
<!-- Header with dual-color badge showing boundary -->
<div style="display: flex; justify-content: space-between; align-items: center;
margin-bottom: 20px; padding-bottom: 12px; border-bottom: 2px solid #e2e8f0;">
<div>
<h3 style="margin: 0; font-size: 18px; color: #1e293b; font-weight: 700;">
βœ… Complete Demo: Architecture Validated
</h3>
<p style="margin: 5px 0 0 0; font-size: 13px; color: #64748b;">
ARF v3.3.7 β€’ OSS advises β†’ Enterprise executes
</p>
</div>
<div style="display: flex; align-items: center; gap: 8px;">
<span style="padding: 6px 14px; background: linear-gradient(90deg, #10b981 0%, #10b981 50%, #8b5cf6 50%, #8b5cf6 100%);
color: white; border-radius: 20px; font-size: 12px; font-weight: bold;">
BOUNDARY VALIDATED
</span>
</div>
</div>
<!-- Key Results Grid -->
<div style="display: grid; grid-template-columns: 1fr 1fr; gap: 15px; margin-bottom: 20px;">
<!-- Left Column: OSS Results -->
<div style="border-left: 4px solid #10b981; padding: 12px; background: #f8fafc; border-radius: 8px;">
<div style="font-size: 11px; color: #64748b; text-transform: uppercase; font-weight: 600;
margin-bottom: 5px; display: flex; align-items: center; gap: 6px;">
<span style="display: inline-block; width: 8px; height: 8px; background: #10b981; border-radius: 50%;"></span>
{boundaries['oss']['label']}
</div>
<div style="font-size: 14px; color: #475569; line-height: 1.5;">
β€’ Anomaly detected in 45s<br>
β€’ 3 similar incidents recalled<br>
β€’ 94% confidence healing plan<br>
β€’ Apache 2.0 license validated
</div>
</div>
<!-- Right Column: Enterprise Results -->
<div style="border-left: 4px solid #8b5cf6; padding: 12px; background: #f8fafc; border-radius: 8px;">
<div style="font-size: 11px; color: #64748b; text-transform: uppercase; font-weight: 600;
margin-bottom: 5px; display: flex; align-items: center; gap: 6px;">
<span style="display: inline-block; width: 8px; height: 8px; background: #8b5cf6; border-radius: 50%;"></span>
{boundaries['enterprise']['label']}
</div>
<div style="font-size: 14px; color: #475569; line-height: 1.5;">
β€’ Autonomous execution simulated<br>
β€’ Rollback guarantee: 100%<br>
β€’ 12min vs 45min recovery<br>
β€’ ${savings:,} saved
</div>
</div>
</div>
<!-- Boundary Progression Visualization -->
<div style="margin-bottom: 20px;">
<div style="font-size: 12px; color: #64748b; text-transform: uppercase; font-weight: 600;
margin-bottom: 12px; text-align: center;">
πŸ—οΈ Architecture Flow
</div>
<div style="display: flex; align-items: center; justify-content: center; gap: 0;">
<!-- OSS -->
<div style="text-align: center; padding: 12px 16px; background: #f0fdf4; border-radius: 10px 0 0 10px;
border: 2px solid #10b981; border-right: none; min-width: 140px;">
<div style="font-size: 14px; color: #065f46; font-weight: 700;">OSS Advisory</div>
<div style="font-size: 11px; color: #059669; margin-top: 3px;">Apache 2.0</div>
</div>
<!-- Arrow -->
<div style="padding: 0 5px; background: #f1f5f9; position: relative;">
<div style="width: 0; height: 0; border-top: 15px solid transparent;
border-bottom: 15px solid transparent; border-left: 15px solid #10b981;"></div>
<div style="position: absolute; top: 50%; left: 50%; transform: translate(-50%, -50%);
background: white; padding: 2px 6px; border-radius: 10px; font-size: 11px;
color: #64748b; border: 1px solid #e2e8f0; white-space: nowrap;">
advises
</div>
</div>
<!-- Enterprise -->
<div style="text-align: center; padding: 12px 16px; background: #f5f3ff; border-radius: 0 10px 10px 0;
border: 2px solid #8b5cf6; border-left: none; min-width: 140px;">
<div style="font-size: 14px; color: #5b21b6; font-weight: 700;">Enterprise</div>
<div style="font-size: 11px; color: #7c3aed; margin-top: 3px;">Commercial</div>
</div>
</div>
</div>
<!-- ROI Summary -->
<div style="background: linear-gradient(135deg, #f8fafc 0%, #f1f5f9 100%);
border-radius: 10px; padding: 15px; margin-bottom: 15px;">
<div style="display: grid; grid-template-columns: repeat(3, 1fr); gap: 10px; text-align: center;">
<div>
<div style="font-size: 11px; color: #64748b; margin-bottom: 5px;">Time Saved</div>
<div style="font-size: 18px; font-weight: 700; color: #10b981;">73%</div>
</div>
<div>
<div style="font-size: 11px; color: #64748b; margin-bottom: 5px;">Cost Saved</div>
<div style="font-size: 18px; font-weight: 700; color: #10b981;">${savings:,}</div>
</div>
<div>
<div style="font-size: 11px; color: #64748b; margin-bottom: 5px;">ROI Multiplier</div>
<div style="font-size: 18px; font-weight: 700; color: #8b5cf6;">5.2Γ—</div>
</div>
</div>
</div>
<!-- Architecture Validation -->
<div style="padding: 12px; background: #f0fdf4; border-radius: 8px; border: 1px solid #d1fae5;">
<div style="display: flex; align-items: center; gap: 10px;">
<div style="font-size: 20px;">βœ…</div>
<div>
<div style="font-size: 13px; color: #065f46; font-weight: 600; margin-bottom: 2px;">
Architecture Successfully Validated
</div>
<div style="font-size: 12px; color: #059669;">
Clear separation maintained: OSS for advisory intelligence, Enterprise for autonomous execution
</div>
</div>
</div>
</div>
<!-- Call to action -->
<div style="margin-top: 15px; padding-top: 15px; border-top: 1px dashed #e2e8f0;
text-align: center; font-size: 12px; color: #64748b;">
Ready for production? <a href="#" style="color: #8b5cf6; font-weight: 600; text-decoration: none;">
Install ARF Enterprise β†’</a>
</div>
</div>
"""
# IMPORTANT FIX: The demo_message should update approval_display, not create a new output
# Update the enterprise_results_display to include demo completion info
enterprise_results["demo_completion_message"] = demo_message
# Get updated tables
incident_table_data = get_audit_manager().get_incident_table()
execution_table_data = get_audit_manager().get_execution_table()
# Combine all results - FIXED OUTPUT COUNT
return (
*update_result, # 4 outputs: scenario_card, telemetry_viz, impact_viz, timeline_viz
*oss_result[:3], # 3 outputs: detection_agent, recall_agent, decision_agent
oss_result[3], # 1 output: oss_results_display
enterprise_results, # 1 output: enterprise_results_display
demo_message, # 1 output: approval_display
incident_table_data, # 1 output: incident_table
execution_table_data # 1 output: execution_table
) # TOTAL: 4 + 3 + 1 + 1 + 1 + 1 + 1 = 12 outputs (matches expectations)
# FIXED: demo_btn.click with correct output count
demo_btn.click(
fn=run_complete_demo_async,
inputs=[scenario_dropdown],
outputs=[
scenario_card, telemetry_viz, impact_viz, timeline_viz, # 4
detection_agent, recall_agent, decision_agent, # 3
oss_results_display, # 1
enterprise_results_display, # 1
approval_display, # 1
incident_table, # 1
execution_table # 1
] # TOTAL: 12 outputs
)
# ROI Calculation
calculate_btn.click(
fn=calculate_roi,
inputs=[roi_scenario_dropdown, monthly_slider, team_slider],
outputs=[roi_output, roi_chart]
)
# Update ROI scenario
roi_scenario_dropdown.change(
fn=lambda x: get_components()["EnhancedROICalculator"]().calculate_comprehensive_roi(),
inputs=[],
outputs=[roi_output]
)
# Update ROI chart
monthly_slider.change(
fn=lambda x, y: calculate_roi(roi_scenario_dropdown.value, x, y)[1],
inputs=[monthly_slider, team_slider],
outputs=[roi_chart]
)
team_slider.change(
fn=lambda x, y: calculate_roi(roi_scenario_dropdown.value, x, y)[1],
inputs=[monthly_slider, team_slider],
outputs=[roi_chart]
)
# Audit Trail Functions
def refresh_audit_trail():
"""Refresh audit trail tables"""
return (
get_audit_manager().get_execution_table(),
get_audit_manager().get_incident_table()
)
def clear_audit_trail():
"""Clear audit trail"""
get_audit_manager().clear()
return [], []
def export_audit_trail():
"""Export audit trail as JSON"""
audit_data = {
"executions": get_audit_manager().executions,
"incidents": get_audit_manager().incidents,
"boundary_crossings": get_audit_manager().boundary_crossings,
"export_time": datetime.datetime.now().isoformat(),
"arf_version": "3.3.7",
"architecture": "OSS advises β†’ Enterprise executes"
}
return json.dumps(audit_data, indent=2)
refresh_btn.click(
fn=refresh_audit_trail,
inputs=[],
outputs=[execution_table, incident_table]
)
clear_btn.click(
fn=clear_audit_trail,
inputs=[],
outputs=[execution_table, incident_table]
)
export_btn.click(
fn=export_audit_trail,
inputs=[],
outputs=[export_text]
)
# Enterprise Features
def validate_license():
"""Validate enterprise license with boundary context"""
boundaries = BoundaryManager.get_system_boundaries()
if boundaries["enterprise"]["available"]:
return {
"status": "βœ… Valid License",
"license_type": "Enterprise",
"version": boundaries["enterprise"]["version"],
"expires": "2025-12-31",
"capabilities": boundaries["enterprise"]["capabilities"],
"boundary_context": f"Real {boundaries['enterprise']['label']} detected"
}
else:
return {
"status": "⚠️ Demo Mode",
"license_type": "Simulated",
"version": boundaries["enterprise"]["version"],
"expires": "Demo only",
"capabilities": boundaries["enterprise"]["capabilities"],
"boundary_context": f"Simulating {boundaries['enterprise']['label']} - requires license",
"contact": "sales@arf.dev"
}
validate_btn.click(
fn=validate_license,
inputs=[],
outputs=[license_display]
)
# Initialize with boundary badges
demo.load(
fn=lambda: boundary_badges,
inputs=[],
outputs=[boundary_display]
)
# Load default scenario
demo.load(
fn=lambda: update_scenario_display(settings.default_scenario),
inputs=[],
outputs=[scenario_card, telemetry_viz, impact_viz, timeline_viz]
)
# Load ROI data
demo.load(
fn=lambda: calculate_roi(settings.default_scenario, 15, 5),
inputs=[],
outputs=[roi_output, roi_chart]
)
logger.info("βœ… Demo interface created successfully with boundary awareness")
return demo
# ===========================================
# LAUNCH FUNCTION
# ===========================================
def launch_demo():
"""Launch the demo application with proper configuration"""
try:
logger.info("πŸš€ Starting ARF Ultimate Investor Demo v3.8.0 - ENTERPRISE EDITION")
# Check installation
installation = get_installation_status()
boundaries = BoundaryManager.get_system_boundaries()
logger.info("=" * 60)
logger.info("πŸ—οΈ SYSTEM ARCHITECTURE BOUNDARIES:")
logger.info(f" OSS: {boundaries['oss']['label']} v{boundaries['oss']['version']}")
logger.info(f" Enterprise: {boundaries['enterprise']['label']} v{boundaries['enterprise']['version']}")
logger.info(f" Mode: {boundaries['demo_mode']['architecture']}")
logger.info("=" * 60)
# Create interface
demo = create_demo_interface()
# Get CSS styles
components = get_components()
css_styles = components["get_styles"]()
# Configure for Hugging Face Spaces
launch_config = {
"server_name": "0.0.0.0",
"server_port": 7860,
"share": False,
"favicon_path": None,
"quiet": False,
"show_error": True,
"debug": False,
"enable_queue": True,
"max_threads": 40,
}
# Add CSS if available
if css_styles:
launch_config["css"] = css_styles
logger.info("βœ… Launch configuration ready")
return demo, launch_config
except Exception as e:
logger.error(f"❌ Launch failed: {e}", exc_info=True)
# Create minimal fallback interface
import gradio as gr
with gr.Blocks(title="ARF Demo - Fallback Mode") as fallback_demo:
gr.HTML(f"""
<div style="text-align: center; padding: 50px;">
<h1 style="color: #ef4444;">🚨 ARF Demo Failed to Start</h1>
<p style="color: #64748b; font-size: 16px;">Error: {str(e)}</p>
<div style="margin-top: 30px; padding: 20px; background: #fef2f2; border-radius: 10px; display: inline-block;">
<p style="color: #dc2626; font-weight: bold;">Troubleshooting Steps:</p>
<ol style="text-align: left; color: #475569;">
<li>Check logs for detailed error</li>
<li>Ensure all dependencies are installed</li>
<li>Try: pip install agentic-reliability-framework==3.3.7</li>
<li>Restart the application</li>
</ol>
</div>
</div>
""")
return fallback_demo, {"server_name": "0.0.0.0", "server_port": 7860}
# ===========================================
# MAIN EXECUTION
# ===========================================
if __name__ == "__main__":
try:
logger.info("πŸš€ ARF Ultimate Investor Demo v3.8.0 - ENTERPRISE EDITION")
logger.info("=" * 60)
logger.info("Enhanced version with clear boundaries and reliable visualizations")
logger.info("Fixed to show clear OSS vs Enterprise boundaries with architectural honesty")
logger.info("=" * 60)
# Launch the demo
demo, config = launch_demo()
print("\n" + "="*60)
print("πŸš€ ARF Ultimate Investor Demo v3.8.0 - ENTERPRISE EDITION")
print("πŸ“Š Architecture: OSS advises β†’ Enterprise executes")
print("🌐 Starting on http://localhost:7860")
print("="*60 + "\n")
# Launch with error handling
try:
demo.launch(**config)
except Exception as launch_error:
logger.error(f"❌ Launch error: {launch_error}")
# Try alternative launch without CSS
if "css" in config:
logger.info("⚠️ Retrying without CSS...")
config.pop("css", None)
demo.launch(**config)
else:
# Last resort: simple launch
demo.launch(server_name="0.0.0.0", server_port=7860)
except KeyboardInterrupt:
logger.info("πŸ‘‹ Demo stopped by user")
except Exception as e:
logger.error(f"❌ Fatal error: {e}", exc_info=True)
sys.exit(1)