Delete core/updated_arf_adapter.py
Browse files- core/updated_arf_adapter.py +0 -373
core/updated_arf_adapter.py
DELETED
|
@@ -1,373 +0,0 @@
|
|
| 1 |
-
# core/updated_arf_adapter.py
|
| 2 |
-
"""
|
| 3 |
-
Updated ARF Adapter using real ARF v3.3.7
|
| 4 |
-
Replaces mock implementation with real OSS + Enterprise
|
| 5 |
-
"""
|
| 6 |
-
from abc import ABC, abstractmethod
|
| 7 |
-
from typing import Dict, Any, List, Optional
|
| 8 |
-
import asyncio
|
| 9 |
-
import logging
|
| 10 |
-
from config.settings import settings, ARFMode
|
| 11 |
-
|
| 12 |
-
logger = logging.getLogger(__name__)
|
| 13 |
-
|
| 14 |
-
# Import our real ARF integration
|
| 15 |
-
from .real_arf_integration import (
|
| 16 |
-
analyze_with_real_arf,
|
| 17 |
-
execute_with_real_arf,
|
| 18 |
-
get_arf_capabilities,
|
| 19 |
-
DEMO_TRIAL_LICENSE
|
| 20 |
-
)
|
| 21 |
-
|
| 22 |
-
|
| 23 |
-
class ARFAdapter(ABC):
|
| 24 |
-
"""Abstract adapter for ARF integration"""
|
| 25 |
-
|
| 26 |
-
@abstractmethod
|
| 27 |
-
async def detect(self, metrics: Dict[str, Any]) -> Dict[str, Any]:
|
| 28 |
-
"""Detect anomalies in metrics"""
|
| 29 |
-
pass
|
| 30 |
-
|
| 31 |
-
@abstractmethod
|
| 32 |
-
async def recall(self, incident: Dict[str, Any]) -> List[Dict[str, Any]]:
|
| 33 |
-
"""Recall similar incidents from memory"""
|
| 34 |
-
pass
|
| 35 |
-
|
| 36 |
-
@abstractmethod
|
| 37 |
-
async def decide(self, incident: Dict[str, Any], context: Dict[str, Any]) -> Dict[str, Any]:
|
| 38 |
-
"""Generate healing intent"""
|
| 39 |
-
pass
|
| 40 |
-
|
| 41 |
-
@abstractmethod
|
| 42 |
-
async def analyze(self, scenario_name: str, scenario_data: Dict[str, Any]) -> Dict[str, Any]:
|
| 43 |
-
"""Complete analysis pipeline"""
|
| 44 |
-
pass
|
| 45 |
-
|
| 46 |
-
@abstractmethod
|
| 47 |
-
async def execute(self, scenario_name: str, mode: str = "autonomous") -> Dict[str, Any]:
|
| 48 |
-
"""Execute healing action"""
|
| 49 |
-
pass
|
| 50 |
-
|
| 51 |
-
@abstractmethod
|
| 52 |
-
def get_capabilities(self) -> Dict[str, Any]:
|
| 53 |
-
"""Get system capabilities"""
|
| 54 |
-
pass
|
| 55 |
-
|
| 56 |
-
|
| 57 |
-
class RealARFv3Adapter(ARFAdapter):
|
| 58 |
-
"""
|
| 59 |
-
Real ARF v3.3.7 adapter with OSS + Enterprise integration
|
| 60 |
-
|
| 61 |
-
Shows novel execution protocols and enhanced healing policies
|
| 62 |
-
"""
|
| 63 |
-
|
| 64 |
-
def __init__(self, use_enterprise: bool = True):
|
| 65 |
-
logger.info(f"Initializing RealARFv3Adapter (Enterprise: {use_enterprise})")
|
| 66 |
-
self.use_enterprise = use_enterprise
|
| 67 |
-
self.license_key = DEMO_TRIAL_LICENSE if use_enterprise else None
|
| 68 |
-
self._capabilities = None
|
| 69 |
-
|
| 70 |
-
async def detect(self, metrics: Dict[str, Any]) -> Dict[str, Any]:
|
| 71 |
-
"""Real anomaly detection using ARF OSS"""
|
| 72 |
-
# In real ARF, this would use OSSMCPClient
|
| 73 |
-
# For demo, we simulate with realistic data
|
| 74 |
-
await asyncio.sleep(0.05) # Simulate ML processing
|
| 75 |
-
|
| 76 |
-
# Analyze metrics for anomalies
|
| 77 |
-
anomaly_score = 0.0
|
| 78 |
-
if metrics.get("error_rate", 0) > 0.1:
|
| 79 |
-
anomaly_score = 0.92
|
| 80 |
-
elif metrics.get("latency_p95", 0) > 1000:
|
| 81 |
-
anomaly_score = 0.87
|
| 82 |
-
elif metrics.get("cpu_usage", 0) > 0.9:
|
| 83 |
-
anomaly_score = 0.78
|
| 84 |
-
|
| 85 |
-
return {
|
| 86 |
-
"anomaly_detected": anomaly_score > 0.7,
|
| 87 |
-
"anomaly_score": anomaly_score,
|
| 88 |
-
"confidence": 0.987,
|
| 89 |
-
"detection_method": "arf_ml_ensemble_v3",
|
| 90 |
-
"detection_time_ms": 45,
|
| 91 |
-
"metrics_analyzed": len(metrics),
|
| 92 |
-
"severity": "HIGH" if anomaly_score > 0.8 else "MEDIUM"
|
| 93 |
-
}
|
| 94 |
-
|
| 95 |
-
async def recall(self, incident: Dict[str, Any]) -> List[Dict[str, Any]]:
|
| 96 |
-
"""Real RAG similarity search using ARF memory"""
|
| 97 |
-
await asyncio.sleep(0.1) # Simulate vector search
|
| 98 |
-
|
| 99 |
-
component = incident.get("component", "").lower()
|
| 100 |
-
|
| 101 |
-
# Return realistic similar incidents based on component
|
| 102 |
-
base_incidents = [
|
| 103 |
-
{
|
| 104 |
-
"incident_id": "inc_20250101_001",
|
| 105 |
-
"similarity_score": 0.92,
|
| 106 |
-
"success": True,
|
| 107 |
-
"resolution": "scale_out",
|
| 108 |
-
"cost_savings": 6500,
|
| 109 |
-
"detection_time": "48s",
|
| 110 |
-
"resolution_time": "15m",
|
| 111 |
-
"pattern": "cache_miss_storm_v2",
|
| 112 |
-
"component_match": component,
|
| 113 |
-
"rag_source": "production_memory_v3"
|
| 114 |
-
},
|
| 115 |
-
{
|
| 116 |
-
"incident_id": "inc_20241215_045",
|
| 117 |
-
"similarity_score": 0.87,
|
| 118 |
-
"success": True,
|
| 119 |
-
"resolution": "warm_cache",
|
| 120 |
-
"cost_savings": 4200,
|
| 121 |
-
"detection_time": "52s",
|
| 122 |
-
"resolution_time": "22m",
|
| 123 |
-
"pattern": "redis_saturation",
|
| 124 |
-
"component_match": component,
|
| 125 |
-
"rag_source": "production_memory_v3"
|
| 126 |
-
}
|
| 127 |
-
]
|
| 128 |
-
|
| 129 |
-
# Add more specific incidents based on component type
|
| 130 |
-
if "cache" in component or "redis" in component:
|
| 131 |
-
base_incidents.append({
|
| 132 |
-
"incident_id": "inc_20241120_123",
|
| 133 |
-
"similarity_score": 0.95,
|
| 134 |
-
"success": True,
|
| 135 |
-
"resolution": "memory_increase",
|
| 136 |
-
"cost_savings": 8500,
|
| 137 |
-
"detection_time": "38s",
|
| 138 |
-
"resolution_time": "8m",
|
| 139 |
-
"pattern": "redis_oom_prevention",
|
| 140 |
-
"component_match": component,
|
| 141 |
-
"rag_source": "production_memory_v3"
|
| 142 |
-
})
|
| 143 |
-
|
| 144 |
-
return base_incidents
|
| 145 |
-
|
| 146 |
-
async def decide(self, incident: Dict[str, Any], context: Dict[str, Any]) -> Dict[str, Any]:
|
| 147 |
-
"""Real decision making using ARF HealingIntent"""
|
| 148 |
-
similar = context.get("similar_incidents", [])
|
| 149 |
-
|
| 150 |
-
# Calculate confidence from similar incidents
|
| 151 |
-
if similar:
|
| 152 |
-
avg_similarity = sum([inc["similarity_score"] for inc in similar]) / len(similar)
|
| 153 |
-
success_rate = sum([1 for inc in similar if inc["success"]]) / len(similar)
|
| 154 |
-
confidence = (avg_similarity + success_rate) / 2
|
| 155 |
-
else:
|
| 156 |
-
confidence = 0.75
|
| 157 |
-
|
| 158 |
-
# Determine action based on component and patterns
|
| 159 |
-
component = incident.get("component", "unknown")
|
| 160 |
-
action = "investigate"
|
| 161 |
-
parameters = {}
|
| 162 |
-
|
| 163 |
-
if "cache" in component.lower():
|
| 164 |
-
action = "scale_out"
|
| 165 |
-
parameters = {"nodes": "3→5", "memory": "16GB→32GB", "strategy": "gradual"}
|
| 166 |
-
elif "database" in component.lower():
|
| 167 |
-
action = "restart"
|
| 168 |
-
parameters = {"connections": "reset_pool", "timeout": "30s", "strategy": "rolling"}
|
| 169 |
-
elif "api" in component.lower():
|
| 170 |
-
action = "circuit_breaker"
|
| 171 |
-
parameters = {"threshold": "80%", "window": "5m", "fallback": "cached_response"}
|
| 172 |
-
|
| 173 |
-
# Create healing intent structure
|
| 174 |
-
healing_intent = {
|
| 175 |
-
"action": action,
|
| 176 |
-
"component": component,
|
| 177 |
-
"confidence": confidence,
|
| 178 |
-
"parameters": parameters,
|
| 179 |
-
"source": "arf_v3.3.7",
|
| 180 |
-
"requires_enterprise": True if action != "investigate" else False,
|
| 181 |
-
"advisory_only": not self.use_enterprise,
|
| 182 |
-
"safety_checks": {
|
| 183 |
-
"blast_radius": "2 services",
|
| 184 |
-
"business_hours": "compliant",
|
| 185 |
-
"rollback_plan": "available",
|
| 186 |
-
"approval_required": self.use_enterprise and action != "investigate"
|
| 187 |
-
},
|
| 188 |
-
"novel_execution_eligible": self.use_enterprise and confidence > 0.85
|
| 189 |
-
}
|
| 190 |
-
|
| 191 |
-
# Add enterprise features if available
|
| 192 |
-
if self.use_enterprise and confidence > 0.85:
|
| 193 |
-
healing_intent.update({
|
| 194 |
-
"enterprise_features": {
|
| 195 |
-
"deterministic_confidence": True,
|
| 196 |
-
"rollback_guarantee": "STRONG",
|
| 197 |
-
"execution_mode": "autonomous",
|
| 198 |
-
"novelty_level": "KNOWN_PATTERN",
|
| 199 |
-
"risk_category": "LOW"
|
| 200 |
-
}
|
| 201 |
-
})
|
| 202 |
-
|
| 203 |
-
return healing_intent
|
| 204 |
-
|
| 205 |
-
async def analyze(self, scenario_name: str, scenario_data: Dict[str, Any]) -> Dict[str, Any]:
|
| 206 |
-
"""Complete real ARF analysis pipeline"""
|
| 207 |
-
logger.info(f"🔍 Real ARF v3.3.7 analyzing: {scenario_name}")
|
| 208 |
-
|
| 209 |
-
# Use our real ARF integration for comprehensive analysis
|
| 210 |
-
return await analyze_with_real_arf(scenario_name, scenario_data)
|
| 211 |
-
|
| 212 |
-
async def execute(self, scenario_name: str, mode: str = "autonomous") -> Dict[str, Any]:
|
| 213 |
-
"""Execute healing action using ARF Enterprise"""
|
| 214 |
-
if not self.use_enterprise:
|
| 215 |
-
return {
|
| 216 |
-
"status": "error",
|
| 217 |
-
"message": "Enterprise features required for execution",
|
| 218 |
-
"available_modes": ["advisory"],
|
| 219 |
-
"suggestion": "Enable Enterprise mode or use trial license"
|
| 220 |
-
}
|
| 221 |
-
|
| 222 |
-
logger.info(f"⚡ Executing healing for {scenario_name} in {mode} mode")
|
| 223 |
-
return await execute_with_real_arf(scenario_name, mode)
|
| 224 |
-
|
| 225 |
-
def get_capabilities(self) -> Dict[str, Any]:
|
| 226 |
-
"""Get ARF v3.3.7 capabilities"""
|
| 227 |
-
if self._capabilities is None:
|
| 228 |
-
self._capabilities = get_arf_capabilities()
|
| 229 |
-
|
| 230 |
-
return self._capabilities
|
| 231 |
-
|
| 232 |
-
|
| 233 |
-
class HybridARFAdapter(ARFAdapter):
|
| 234 |
-
"""
|
| 235 |
-
Hybrid adapter that can switch between mock and real ARF
|
| 236 |
-
|
| 237 |
-
Useful for demo environments where real ARF might not be installed
|
| 238 |
-
"""
|
| 239 |
-
|
| 240 |
-
def __init__(self):
|
| 241 |
-
self.real_adapter = None
|
| 242 |
-
self.mock_adapter = None
|
| 243 |
-
self.use_real = False
|
| 244 |
-
|
| 245 |
-
# Try to initialize real ARF
|
| 246 |
-
try:
|
| 247 |
-
self.real_adapter = RealARFv3Adapter(use_enterprise=True)
|
| 248 |
-
self.use_real = True
|
| 249 |
-
logger.info("✅ Using real ARF v3.3.7 with Enterprise")
|
| 250 |
-
except ImportError as e:
|
| 251 |
-
logger.warning(f"⚠️ Real ARF not available, falling back to mock: {e}")
|
| 252 |
-
from .arf_adapter import MockARFAdapter
|
| 253 |
-
self.mock_adapter = MockARFAdapter()
|
| 254 |
-
self.use_real = False
|
| 255 |
-
|
| 256 |
-
async def detect(self, metrics: Dict[str, Any]) -> Dict[str, Any]:
|
| 257 |
-
if self.use_real and self.real_adapter:
|
| 258 |
-
return await self.real_adapter.detect(metrics)
|
| 259 |
-
else:
|
| 260 |
-
return await self.mock_adapter.detect(metrics)
|
| 261 |
-
|
| 262 |
-
async def recall(self, incident: Dict[str, Any]) -> List[Dict[str, Any]]:
|
| 263 |
-
if self.use_real and self.real_adapter:
|
| 264 |
-
return await self.real_adapter.recall(incident)
|
| 265 |
-
else:
|
| 266 |
-
return await self.mock_adapter.recall(incident)
|
| 267 |
-
|
| 268 |
-
async def decide(self, incident: Dict[str, Any], context: Dict[str, Any]) -> Dict[str, Any]:
|
| 269 |
-
if self.use_real and self.real_adapter:
|
| 270 |
-
return await self.real_adapter.decide(incident, context)
|
| 271 |
-
else:
|
| 272 |
-
return await self.mock_adapter.decide(incident, context)
|
| 273 |
-
|
| 274 |
-
async def analyze(self, scenario_name: str, scenario_data: Dict[str, Any]) -> Dict[str, Any]:
|
| 275 |
-
if self.use_real and self.real_adapter:
|
| 276 |
-
return await self.real_adapter.analyze(scenario_name, scenario_data)
|
| 277 |
-
else:
|
| 278 |
-
return await self.mock_adapter.analyze(scenario_name, scenario_data)
|
| 279 |
-
|
| 280 |
-
async def execute(self, scenario_name: str, mode: str = "autonomous") -> Dict[str, Any]:
|
| 281 |
-
if self.use_real and self.real_adapter:
|
| 282 |
-
return await self.real_adapter.execute(scenario_name, mode)
|
| 283 |
-
else:
|
| 284 |
-
return {
|
| 285 |
-
"status": "mock_mode",
|
| 286 |
-
"message": "Execution simulated in mock mode",
|
| 287 |
-
"scenario": scenario_name,
|
| 288 |
-
"mode": mode
|
| 289 |
-
}
|
| 290 |
-
|
| 291 |
-
def get_capabilities(self) -> Dict[str, Any]:
|
| 292 |
-
if self.use_real and self.real_adapter:
|
| 293 |
-
return self.real_adapter.get_capabilities()
|
| 294 |
-
else:
|
| 295 |
-
return {
|
| 296 |
-
"mode": "mock",
|
| 297 |
-
"version": "mock_implementation",
|
| 298 |
-
"capabilities": ["simulated_analysis", "mock_execution"],
|
| 299 |
-
"enterprise_available": False,
|
| 300 |
-
"oss_available": False
|
| 301 |
-
}
|
| 302 |
-
|
| 303 |
-
|
| 304 |
-
def get_arf_adapter() -> ARFAdapter:
|
| 305 |
-
"""
|
| 306 |
-
Factory function to get appropriate ARF adapter based on settings
|
| 307 |
-
|
| 308 |
-
Now includes real ARF v3.3.7 with novel execution protocols
|
| 309 |
-
"""
|
| 310 |
-
mode = settings.arf_mode
|
| 311 |
-
|
| 312 |
-
if mode == ARFMode.DEMO and not settings.use_mock_arf:
|
| 313 |
-
# Try to use real ARF even in demo mode if configured
|
| 314 |
-
logger.info("Attempting to use real ARF v3.3.7 in demo mode")
|
| 315 |
-
return HybridARFAdapter()
|
| 316 |
-
elif mode == ARFMode.OSS:
|
| 317 |
-
logger.info("Using RealARFv3Adapter (OSS mode)")
|
| 318 |
-
return RealARFv3Adapter(use_enterprise=False)
|
| 319 |
-
elif mode == ARFMode.ENTERPRISE:
|
| 320 |
-
logger.info("Using RealARFv3Adapter (Enterprise mode)")
|
| 321 |
-
return RealARFv3Adapter(use_enterprise=True)
|
| 322 |
-
else:
|
| 323 |
-
logger.info("Using HybridARFAdapter (auto-detect best available)")
|
| 324 |
-
return HybridARFAdapter()
|
| 325 |
-
|
| 326 |
-
|
| 327 |
-
# Async helper for easy integration
|
| 328 |
-
async def analyze_scenario_async(scenario_name: str, scenario_data: Dict[str, Any]) -> Dict[str, Any]:
|
| 329 |
-
"""Convenience function for async scenario analysis"""
|
| 330 |
-
adapter = get_arf_adapter()
|
| 331 |
-
return await adapter.analyze(scenario_name, scenario_data)
|
| 332 |
-
|
| 333 |
-
|
| 334 |
-
async def execute_scenario_async(scenario_name: str, mode: str = "autonomous") -> Dict[str, Any]:
|
| 335 |
-
"""Convenience function for async execution"""
|
| 336 |
-
adapter = get_arf_adapter()
|
| 337 |
-
return await adapter.execute(scenario_name, mode)
|
| 338 |
-
|
| 339 |
-
|
| 340 |
-
# Sync wrappers for compatibility
|
| 341 |
-
def analyze_scenario_sync(scenario_name: str, scenario_data: Dict[str, Any]) -> Dict[str, Any]:
|
| 342 |
-
"""Sync wrapper for scenario analysis"""
|
| 343 |
-
async def _analyze():
|
| 344 |
-
return await analyze_scenario_async(scenario_name, scenario_data)
|
| 345 |
-
|
| 346 |
-
return _run_sync(_analyze())
|
| 347 |
-
|
| 348 |
-
|
| 349 |
-
def execute_scenario_sync(scenario_name: str, mode: str = "autonomous") -> Dict[str, Any]:
|
| 350 |
-
"""Sync wrapper for execution"""
|
| 351 |
-
async def _execute():
|
| 352 |
-
return await execute_scenario_async(scenario_name, mode)
|
| 353 |
-
|
| 354 |
-
return _run_sync(_execute())
|
| 355 |
-
|
| 356 |
-
|
| 357 |
-
def _run_sync(coro):
|
| 358 |
-
"""Run async coroutine in sync context"""
|
| 359 |
-
try:
|
| 360 |
-
loop = asyncio.get_event_loop()
|
| 361 |
-
if loop.is_running():
|
| 362 |
-
# In async context, return coroutine
|
| 363 |
-
return coro
|
| 364 |
-
else:
|
| 365 |
-
return loop.run_until_complete(coro)
|
| 366 |
-
except RuntimeError:
|
| 367 |
-
# Create new loop
|
| 368 |
-
loop = asyncio.new_event_loop()
|
| 369 |
-
asyncio.set_event_loop(loop)
|
| 370 |
-
try:
|
| 371 |
-
return loop.run_until_complete(coro)
|
| 372 |
-
finally:
|
| 373 |
-
loop.close()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|