File size: 8,660 Bytes
ba59239 e94f0ea a81efd4 e94f0ea 5c55cb5 e94f0ea ba59239 414407c a81efd4 82009c8 e94f0ea ba59239 a81efd4 1eb0dc5 e94f0ea 1eb0dc5 e94f0ea 1eb0dc5 414407c e94f0ea a81efd4 ba59239 a81efd4 1eb0dc5 ba59239 1eb0dc5 e94f0ea 1eb0dc5 a81efd4 6a3df22 1eb0dc5 a81efd4 ba59239 a81efd4 82009c8 ba59239 a81efd4 e94f0ea a81efd4 e94f0ea a81efd4 1eb0dc5 a81efd4 ba59239 a81efd4 ba59239 a81efd4 82009c8 e94f0ea 9fa5ff3 e94f0ea 9fa5ff3 a81efd4 82009c8 e94f0ea ba59239 1eb0dc5 a81efd4 5c55cb5 a81efd4 9fa5ff3 1eb0dc5 a81efd4 5c55cb5 1eb0dc5 e94f0ea a81efd4 e94f0ea 1eb0dc5 e94f0ea d97b7c8 a81efd4 e94f0ea ba59239 e94f0ea a81efd4 1eb0dc5 a81efd4 1eb0dc5 a81efd4 1eb0dc5 a81efd4 1eb0dc5 e94f0ea a81efd4 e94f0ea a81efd4 6a3df22 a81efd4 1eb0dc5 a81efd4 e94f0ea a81efd4 e94f0ea 1eb0dc5 e94f0ea a81efd4 e94f0ea a81efd4 e94f0ea a81efd4 e94f0ea a81efd4 1eb0dc5 6a3df22 a81efd4 | 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 | import os
import json
import random
import time
import datetime
import numpy as np
import gradio as gr
import requests
from sentence_transformers import SentenceTransformer
import faiss
# === Config ===
HF_TOKEN = os.getenv("HF_TOKEN", "").strip()
if not HF_TOKEN:
print("β οΈ No Hugging Face token found. Running in fallback/local mode.")
else:
print("β
Hugging Face token loaded successfully.")
HF_API_URL = "https://router.huggingface.co/hf-inference/v1/completions"
HEADERS = {"Authorization": f"Bearer {HF_TOKEN}"} if HF_TOKEN else {}
# === FAISS Setup ===
VECTOR_DIM = 384
INDEX_FILE = "incident_vectors.index"
TEXTS_FILE = "incident_texts.json"
model = SentenceTransformer("sentence-transformers/all-MiniLM-L6-v2")
if os.path.exists(INDEX_FILE):
index = faiss.read_index(INDEX_FILE)
with open(TEXTS_FILE, "r") as f:
incident_texts = json.load(f)
else:
index = faiss.IndexFlatL2(VECTOR_DIM)
incident_texts = []
def save_index():
faiss.write_index(index, INDEX_FILE)
with open(TEXTS_FILE, "w") as f:
json.dump(incident_texts, f)
# === Event Memory ===
events = []
def detect_anomaly(event):
"""Adaptive threshold-based anomaly detection."""
latency = event["latency"]
error_rate = event["error_rate"]
# Remove random forcing for production - use actual thresholds only
latency_anomaly = latency > 150
error_anomaly = error_rate > 0.05
return latency_anomaly or error_anomaly
def call_huggingface_analysis(prompt):
"""Use HF Inference API or fallback simulation."""
if not HF_TOKEN:
# Enhanced fallback analysis
fallback_insights = [
"High latency detected - possible resource contention or network issues",
"Error rate increase suggests recent deployment instability",
"Latency spike correlates with increased user traffic patterns",
"Intermittent failures indicate potential dependency service degradation",
"Performance degradation detected - consider scaling compute resources"
]
return random.choice(fallback_insights)
try:
# Enhanced prompt for better analysis
enhanced_prompt = f"""
As a senior reliability engineer, analyze this telemetry event and provide a concise root cause analysis:
{prompt}
Focus on:
- Potential infrastructure or application issues
- Correlation between metrics
- Business impact assessment
- Recommended investigation areas
Provide 1-2 sentences maximum with actionable insights.
"""
payload = {
"model": "mistralai/Mixtral-8x7B-Instruct-v0.1",
"prompt": enhanced_prompt,
"max_tokens": 150,
"temperature": 0.4,
}
response = requests.post(HF_API_URL, headers=HEADERS, json=payload, timeout=15)
if response.status_code == 200:
result = response.json()
analysis_text = result.get("choices", [{}])[0].get("text", "").strip()
# Clean up any extra formatting from the response
if analysis_text and len(analysis_text) > 10:
return analysis_text.split('\n')[0] # Take first line if multiple
return analysis_text
else:
return f"API Error {response.status_code}: Service temporarily unavailable"
except Exception as e:
return f"Analysis service error: {str(e)}"
def simulate_healing(event):
actions = [
"Restarted container",
"Scaled up instance",
"Cleared queue backlog",
"No actionable step detected."
]
return random.choice(actions)
def analyze_event(component, latency, error_rate):
# Ensure unique timestamps with higher precision
event = {
"timestamp": datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S.%f")[:-3],
"component": component,
"latency": latency,
"error_rate": error_rate
}
is_anomaly = detect_anomaly(event)
event["anomaly"] = is_anomaly
event["status"] = "Anomaly" if is_anomaly else "Normal"
# Build enhanced textual prompt
prompt = (
f"Component: {component}\nLatency: {latency:.2f}ms\nError Rate: {error_rate:.3f}\n"
f"Status: {event['status']}\n\n"
"Provide a one-line reliability insight or root cause analysis."
)
# Analysis
analysis = call_huggingface_analysis(prompt)
event["analysis"] = analysis
# Healing simulation
healing_action = simulate_healing(event)
event["healing_action"] = healing_action
# === Vector learning ===
vector_text = f"{component} {latency} {error_rate} {analysis}"
vec = model.encode([vector_text])
index.add(np.array(vec, dtype=np.float32))
incident_texts.append(vector_text)
save_index()
# Find similar incidents
if len(incident_texts) > 1:
D, I = index.search(vec, k=min(3, len(incident_texts)))
similar = [incident_texts[i] for i in I[0] if i < len(incident_texts)]
if similar:
# Extract meaningful part from similar incident
similar_preview = similar[0][:100] + "..." if len(similar[0]) > 100 else similar[0]
event["healing_action"] += f" Found {len(similar)} similar incidents (e.g., {similar_preview})."
else:
event["healing_action"] += " - Not enough incidents stored yet."
events.append(event)
return json.dumps(event, indent=2)
# === UI ===
def submit_event(component, latency, error_rate):
result = analyze_event(component, latency, error_rate)
parsed = json.loads(result)
# Display last 15 events to keep table manageable
table = [
[e["timestamp"], e["component"], e["latency"], e["error_rate"],
e["status"], e["analysis"], e["healing_action"]]
for e in events[-15:]
]
return (
f"β
Event Processed ({parsed['status']})",
gr.Dataframe(
headers=["timestamp", "component", "latency", "error_rate", "status", "analysis", "healing_action"],
value=table
)
)
with gr.Blocks(title="π§ Agentic Reliability Framework MVP", theme="soft") as demo:
gr.Markdown("""
# π§ Agentic Reliability Framework MVP
**Adaptive anomaly detection + AI-driven self-healing + persistent FAISS memory**
*Monitor your services in real-time with AI-powered reliability engineering*
""")
with gr.Row():
with gr.Column(scale=1):
gr.Markdown("### π Telemetry Input")
component = gr.Textbox(
label="Component",
value="api-service",
info="Name of the service being monitored"
)
latency = gr.Slider(
minimum=10,
maximum=400,
value=100,
step=1,
label="Latency (ms)",
info="Alert threshold: >150ms"
)
error_rate = gr.Slider(
minimum=0,
maximum=0.2,
value=0.02,
step=0.001,
label="Error Rate",
info="Alert threshold: >0.05"
)
submit = gr.Button("π Submit Telemetry Event", variant="primary")
with gr.Column(scale=2):
gr.Markdown("### π Live Analysis")
output_text = gr.Textbox(
label="Detection Output",
placeholder="Submit an event to see analysis results...",
lines=2
)
gr.Markdown("### π Recent Events")
table_output = gr.Dataframe(
headers=["timestamp", "component", "latency", "error_rate", "status", "analysis", "healing_action"],
label="Event History",
wrap=True
)
# Add some explanation
with gr.Accordion("βΉοΈ How it works", open=False):
gr.Markdown("""
- **Anomaly Detection**: Flags events with latency >150ms or error rate >5%
- **AI Analysis**: Uses Mistral-8x7B for root cause analysis via Hugging Face
- **Vector Memory**: Stores incidents in FAISS for similarity search
- **Self-Healing**: Simulates automated recovery actions based on historical patterns
""")
submit.click(
fn=submit_event,
inputs=[component, latency, error_rate],
outputs=[output_text, table_output]
)
if __name__ == "__main__":
demo.launch(
server_name="0.0.0.0",
server_port=7860,
share=False
) |