Delete components/ai_ethics_engine_superintelligence.py
Browse files
components/ai_ethics_engine_superintelligence.py
DELETED
|
@@ -1,416 +0,0 @@
|
|
| 1 |
-
"""
|
| 2 |
-
Superintelligence Ethics Engine for TRuCAL.
|
| 3 |
-
|
| 4 |
-
An advanced ethical reasoning system that extends the base AIEthicsEngine with
|
| 5 |
-
superintelligence capabilities, including value learning, causal reasoning, and
|
| 6 |
-
multi-agent perspective taking.
|
| 7 |
-
"""
|
| 8 |
-
|
| 9 |
-
from enum import Enum
|
| 10 |
-
from typing import Dict, List, Optional, Any, Tuple
|
| 11 |
-
import numpy as np
|
| 12 |
-
import torch
|
| 13 |
-
import torch.nn as nn
|
| 14 |
-
from dataclasses import dataclass, field
|
| 15 |
-
from datetime import datetime
|
| 16 |
-
import time
|
| 17 |
-
import json
|
| 18 |
-
import hashlib
|
| 19 |
-
import logging
|
| 20 |
-
from pathlib import Path
|
| 21 |
-
|
| 22 |
-
from .ai_ethics_engine_enhanced import (
|
| 23 |
-
AIEthicsEngine,
|
| 24 |
-
EthicalFramework,
|
| 25 |
-
AnalysisAuditEntry,
|
| 26 |
-
logger
|
| 27 |
-
)
|
| 28 |
-
from .llm_integration import CustomLLMResponder
|
| 29 |
-
|
| 30 |
-
# Core Data Types for Superintelligence
|
| 31 |
-
@dataclass
|
| 32 |
-
class ValueModel:
|
| 33 |
-
"""Hierarchical model of learned values and preferences."""
|
| 34 |
-
value_hierarchy: Dict[str, float] # Value -> priority (0-1)
|
| 35 |
-
preference_relations: List[Tuple[str, str, float]] # (A, B, strength)
|
| 36 |
-
uncertainty: Dict[str, float] # Value -> uncertainty (0-1)
|
| 37 |
-
last_updated: float = field(default_factory=lambda: time.time())
|
| 38 |
-
|
| 39 |
-
@dataclass
|
| 40 |
-
class CausalEthicalAnalysis:
|
| 41 |
-
"""Analysis of causal pathways and counterfactuals."""
|
| 42 |
-
direct_effects: List[Dict[str, Any]]
|
| 43 |
-
second_order_effects: List[Dict[str, Any]]
|
| 44 |
-
counterfactuals: List[Dict[str, Any]] # Alternative scenarios
|
| 45 |
-
critical_uncertainties: List[str] # Key uncertainties that could change outcomes
|
| 46 |
-
|
| 47 |
-
@dataclass
|
| 48 |
-
class FrameworkSelection:
|
| 49 |
-
"""Result of meta-ethical reasoning about framework selection."""
|
| 50 |
-
primary_framework: str
|
| 51 |
-
supporting_frameworks: List[str]
|
| 52 |
-
selection_rationale: str
|
| 53 |
-
confidence: float # 0-1
|
| 54 |
-
|
| 55 |
-
@dataclass
|
| 56 |
-
class CooperativeSolution:
|
| 57 |
-
"""Solution found through multi-agent cooperation."""
|
| 58 |
-
solution: Dict[str, Any]
|
| 59 |
-
participating_agents: List[str]
|
| 60 |
-
incentive_structure: Dict[str, Any]
|
| 61 |
-
stability_metrics: Dict[str, float]
|
| 62 |
-
|
| 63 |
-
class MetaEthicalPrinciple(Enum):
|
| 64 |
-
"""Core meta-ethical principles for framework selection."""
|
| 65 |
-
CONSISTENCY = "consistency"
|
| 66 |
-
UNIVERSALIZABILITY = "universalizability"
|
| 67 |
-
REFLECTIVE_EQUILIBRIUM = "reflective_equilibrium"
|
| 68 |
-
EPISTEMIC_HUMILITY = "epistemic_humility"
|
| 69 |
-
COOPERATION = "cooperation"
|
| 70 |
-
|
| 71 |
-
class ValueLearner(nn.Module):
|
| 72 |
-
"""Learns and models human values from interactions."""
|
| 73 |
-
|
| 74 |
-
def __init__(self, embedding_dim: int = 256):
|
| 75 |
-
super().__init__()
|
| 76 |
-
self.embedding_dim = embedding_dim
|
| 77 |
-
self.value_embeddings = nn.ParameterDict({
|
| 78 |
-
'autonomy': nn.Parameter(torch.randn(embedding_dim)),
|
| 79 |
-
'wellbeing': nn.Parameter(torch.randn(embedding_dim)),
|
| 80 |
-
'justice': nn.Parameter(torch.randn(embedding_dim)),
|
| 81 |
-
'privacy': nn.Parameter(torch.randn(embedding_dim)),
|
| 82 |
-
})
|
| 83 |
-
self.preference_predictor = nn.Sequential(
|
| 84 |
-
nn.Linear(embedding_dim * 2, embedding_dim),
|
| 85 |
-
nn.ReLU(),
|
| 86 |
-
nn.Linear(embedding_dim, 1),
|
| 87 |
-
nn.Sigmoid()
|
| 88 |
-
)
|
| 89 |
-
|
| 90 |
-
def forward(self, interaction: Dict[str, Any]) -> Dict[str, torch.Tensor]:
|
| 91 |
-
"""Process an interaction to update value model."""
|
| 92 |
-
# In a real implementation, this would process the interaction
|
| 93 |
-
# and return updated value embeddings
|
| 94 |
-
return {
|
| 95 |
-
'value_updates': {},
|
| 96 |
-
'preference_predictions': {}
|
| 97 |
-
}
|
| 98 |
-
|
| 99 |
-
def infer_values(self, text: str) -> Dict[str, float]:
|
| 100 |
-
"""Infer value priorities from text."""
|
| 101 |
-
# Simplified implementation
|
| 102 |
-
return {
|
| 103 |
-
'autonomy': 0.8,
|
| 104 |
-
'wellbeing': 0.9,
|
| 105 |
-
'justice': 0.7,
|
| 106 |
-
'privacy': 0.6
|
| 107 |
-
}
|
| 108 |
-
|
| 109 |
-
class CausalEthicsEngine:
|
| 110 |
-
"""Performs causal reasoning about ethical impacts."""
|
| 111 |
-
|
| 112 |
-
def analyze_causal_pathways(self, action: str, context: Dict[str, Any] = None) -> CausalEthicalAnalysis:
|
| 113 |
-
"""Analyze causal pathways of an action."""
|
| 114 |
-
# In a real implementation, this would use a causal model
|
| 115 |
-
return CausalEthicalAnalysis(
|
| 116 |
-
direct_effects=[{"description": "Direct effect 1", "certainty": 0.8}],
|
| 117 |
-
second_order_effects=[{"description": "Second order effect", "certainty": 0.6}],
|
| 118 |
-
counterfactuals=[{"if": "condition X", "then": "outcome Y", "probability": 0.5}],
|
| 119 |
-
critical_uncertainties=["Long-term environmental impact"]
|
| 120 |
-
)
|
| 121 |
-
|
| 122 |
-
class MetaEthicalReasoner:
|
| 123 |
-
"""Determines which ethical frameworks to apply when."""
|
| 124 |
-
|
| 125 |
-
def __init__(self):
|
| 126 |
-
self.framework_priorities = {
|
| 127 |
-
'utilitarianism': 0.7,
|
| 128 |
-
'deontology': 0.6,
|
| 129 |
-
'virtue_ethics': 0.5,
|
| 130 |
-
'care_ethics': 0.4
|
| 131 |
-
}
|
| 132 |
-
|
| 133 |
-
def choose_frameworks(self, context: Dict[str, Any]) -> FrameworkSelection:
|
| 134 |
-
"""Select appropriate ethical frameworks for the context."""
|
| 135 |
-
# In a real implementation, this would be more sophisticated
|
| 136 |
-
primary = max(self.framework_priorities, key=self.framework_priorities.get)
|
| 137 |
-
return FrameworkSelection(
|
| 138 |
-
primary_framework=primary,
|
| 139 |
-
supporting_frameworks=[f for f in self.framework_priorities if f != primary],
|
| 140 |
-
selection_rationale=f"Selected {primary} based on context similarity",
|
| 141 |
-
confidence=0.8
|
| 142 |
-
)
|
| 143 |
-
|
| 144 |
-
class CooperativeEthics:
|
| 145 |
-
"""Finds cooperative solutions among multiple agents."""
|
| 146 |
-
|
| 147 |
-
def find_solutions(self, agents: List[str], dilemma: str) -> List[CooperativeSolution]:
|
| 148 |
-
"""Find cooperative solutions to a dilemma."""
|
| 149 |
-
return [
|
| 150 |
-
CooperativeSolution(
|
| 151 |
-
solution={"action": "Cooperative action", "details": {}},
|
| 152 |
-
participating_agents=agents,
|
| 153 |
-
incentive_structure={"alignment": 0.9, "enforcement": 0.8},
|
| 154 |
-
stability_metrics={"nash_equilibrium": 0.95}
|
| 155 |
-
)
|
| 156 |
-
]
|
| 157 |
-
|
| 158 |
-
class ReflectiveEthics:
|
| 159 |
-
"""Ensures ethical stability under reflection."""
|
| 160 |
-
|
| 161 |
-
def achieve_equilibrium(self, beliefs: Dict[str, Any], max_iterations: int = 10) -> Dict[str, Any]:
|
| 162 |
-
"""Refine beliefs into a coherent ethical position."""
|
| 163 |
-
# In a real implementation, this would iteratively refine beliefs
|
| 164 |
-
return {
|
| 165 |
-
**beliefs,
|
| 166 |
-
'refined': True,
|
| 167 |
-
'coherence_score': 0.9,
|
| 168 |
-
'reflection_depth': max_iterations
|
| 169 |
-
}
|
| 170 |
-
|
| 171 |
-
class SuperintelligenceEthicsEngine(AIEthicsEngine):
|
| 172 |
-
"""
|
| 173 |
-
Advanced ethical reasoning system for superintelligent AI.
|
| 174 |
-
|
| 175 |
-
Extends the base AIEthicsEngine with capabilities needed for superintelligence:
|
| 176 |
-
- Recursive self-improvement of ethical frameworks
|
| 177 |
-
- Multi-agent perspective taking
|
| 178 |
-
- Causal reasoning about consequences
|
| 179 |
-
- Meta-ethical reasoning
|
| 180 |
-
- Cooperative solution finding
|
| 181 |
-
- Reflective equilibrium
|
| 182 |
-
"""
|
| 183 |
-
|
| 184 |
-
def __init__(self, llm_responder: Optional[CustomLLMResponder] = None):
|
| 185 |
-
"""Initialize the Superintelligence Ethics Engine."""
|
| 186 |
-
super().__init__(llm_responder)
|
| 187 |
-
|
| 188 |
-
# Initialize superintelligence components
|
| 189 |
-
self.value_learner = ValueLearner()
|
| 190 |
-
self.causal_engine = CausalEthicsEngine()
|
| 191 |
-
self.meta_ethical_reasoner = MetaEthicalReasoner()
|
| 192 |
-
self.cooperation_engine = CooperativeEthics()
|
| 193 |
-
self.reflection_engine = ReflectiveEthics()
|
| 194 |
-
|
| 195 |
-
# Initialize value model
|
| 196 |
-
self.value_model = ValueModel(
|
| 197 |
-
value_hierarchy={
|
| 198 |
-
'wellbeing': 0.9,
|
| 199 |
-
'autonomy': 0.8,
|
| 200 |
-
'justice': 0.85,
|
| 201 |
-
'privacy': 0.7
|
| 202 |
-
},
|
| 203 |
-
preference_relations=[],
|
| 204 |
-
uncertainty={}
|
| 205 |
-
)
|
| 206 |
-
|
| 207 |
-
# Learning parameters
|
| 208 |
-
self.learning_rate = 0.01
|
| 209 |
-
self.reflection_depth = 0
|
| 210 |
-
|
| 211 |
-
logger.info("Superintelligence Ethics Engine initialized")
|
| 212 |
-
|
| 213 |
-
def analyze_dilemma(
|
| 214 |
-
self,
|
| 215 |
-
dilemma: str,
|
| 216 |
-
explain: bool = True,
|
| 217 |
-
audit: bool = True,
|
| 218 |
-
max_retries: int = 2,
|
| 219 |
-
timeout: int = 30,
|
| 220 |
-
enable_superintelligence: bool = True
|
| 221 |
-
) -> Dict:
|
| 222 |
-
"""
|
| 223 |
-
Analyze an ethical dilemma with superintelligence capabilities.
|
| 224 |
-
|
| 225 |
-
Args:
|
| 226 |
-
dilemma: The ethical dilemma to analyze
|
| 227 |
-
explain: Whether to provide detailed reasoning steps
|
| 228 |
-
audit: Whether to log analysis for reproducibility and RL training
|
| 229 |
-
max_retries: Maximum number of retry attempts for failed analyses
|
| 230 |
-
timeout: Maximum time in seconds to wait for each analysis
|
| 231 |
-
enable_superintelligence: Whether to use superintelligence features
|
| 232 |
-
|
| 233 |
-
Returns:
|
| 234 |
-
Dict containing the analysis and integrated assessment
|
| 235 |
-
"""
|
| 236 |
-
start_time = time.time()
|
| 237 |
-
|
| 238 |
-
# First, get the base analysis from the parent class
|
| 239 |
-
base_analysis = super().analyze_dilemma(
|
| 240 |
-
dilemma=dilemma,
|
| 241 |
-
explain=explain,
|
| 242 |
-
audit=audit,
|
| 243 |
-
max_retries=max_retries,
|
| 244 |
-
timeout=timeout
|
| 245 |
-
)
|
| 246 |
-
|
| 247 |
-
if not enable_superintelligence:
|
| 248 |
-
return base_analysis
|
| 249 |
-
|
| 250 |
-
try:
|
| 251 |
-
# Add superintelligence capabilities
|
| 252 |
-
causal_analysis = self.causal_engine.analyze_causal_pathways(dilemma)
|
| 253 |
-
framework_selection = self.meta_ethical_reasoner.choose_frameworks({})
|
| 254 |
-
|
| 255 |
-
# Simulate multi-agent perspectives
|
| 256 |
-
stakeholder_analyses = self.simulate_stakeholder_perspectives(dilemma)
|
| 257 |
-
|
| 258 |
-
# Find cooperative solutions
|
| 259 |
-
cooperative_solutions = self.cooperation_engine.find_solutions(
|
| 260 |
-
agents=list(stakeholder_analyses.keys()),
|
| 261 |
-
dilemma=dilemma
|
| 262 |
-
)
|
| 263 |
-
|
| 264 |
-
# Achieve reflective equilibrium
|
| 265 |
-
reflective_beliefs = self.reflection_engine.achieve_equilibrium({
|
| 266 |
-
'base_analysis': base_analysis,
|
| 267 |
-
'causal_analysis': causal_analysis,
|
| 268 |
-
'framework_selection': framework_selection,
|
| 269 |
-
'stakeholder_analyses': stakeholder_analyses,
|
| 270 |
-
'cooperative_solutions': cooperative_solutions
|
| 271 |
-
})
|
| 272 |
-
|
| 273 |
-
# Update the base analysis with superintelligence insights
|
| 274 |
-
base_analysis.update({
|
| 275 |
-
'superintelligence': {
|
| 276 |
-
'causal_analysis': causal_analysis,
|
| 277 |
-
'framework_selection': framework_selection,
|
| 278 |
-
'stakeholder_analyses': stakeholder_analyses,
|
| 279 |
-
'cooperative_solutions': [
|
| 280 |
-
{
|
| 281 |
-
'solution': sol.solution,
|
| 282 |
-
'participating_agents': sol.participating_agents,
|
| 283 |
-
'stability_metrics': sol.stability_metrics
|
| 284 |
-
}
|
| 285 |
-
for sol in cooperative_solutions
|
| 286 |
-
],
|
| 287 |
-
'reflective_beliefs': reflective_beliefs,
|
| 288 |
-
'value_model': {
|
| 289 |
-
'value_hierarchy': self.value_model.value_hierarchy,
|
| 290 |
-
'uncertainty': self.value_model.uncertainty
|
| 291 |
-
},
|
| 292 |
-
'meta': {
|
| 293 |
-
'reflection_depth': self.reflection_depth,
|
| 294 |
-
'timestamp': datetime.now().isoformat(),
|
| 295 |
-
'version': '1.0.0-superintelligence'
|
| 296 |
-
}
|
| 297 |
-
}
|
| 298 |
-
})
|
| 299 |
-
|
| 300 |
-
return base_analysis
|
| 301 |
-
|
| 302 |
-
except Exception as e:
|
| 303 |
-
logger.error(f"Error in superintelligence analysis: {str(e)}")
|
| 304 |
-
# Fall back to base analysis if superintelligence features fail
|
| 305 |
-
base_analysis['warnings'] = base_analysis.get('warnings', {})
|
| 306 |
-
base_analysis['warnings']['superintelligence_error'] = str(e)
|
| 307 |
-
return base_analysis
|
| 308 |
-
|
| 309 |
-
def simulate_stakeholder_perspectives(self, dilemma: str) -> Dict[str, Dict]:
|
| 310 |
-
"""Simulate how different stakeholders would analyze the dilemma."""
|
| 311 |
-
stakeholders = [
|
| 312 |
-
'individual_human',
|
| 313 |
-
'corporate_entity',
|
| 314 |
-
'future_generations',
|
| 315 |
-
'non_human_species',
|
| 316 |
-
'artificial_entity'
|
| 317 |
-
]
|
| 318 |
-
|
| 319 |
-
return {
|
| 320 |
-
stakeholder: {
|
| 321 |
-
'perspective': f"{stakeholder.replace('_', ' ').title()} perspective on: {dilemma[:50]}...",
|
| 322 |
-
'primary_concerns': ["Relevant concern 1", "Relevant concern 2"],
|
| 323 |
-
'value_weights': self._generate_value_weights(stakeholder),
|
| 324 |
-
'recommended_action': f"Recommended action from {stakeholder} perspective"
|
| 325 |
-
}
|
| 326 |
-
for stakeholder in stakeholders
|
| 327 |
-
}
|
| 328 |
-
|
| 329 |
-
def _generate_value_weights(self, stakeholder: str) -> Dict[str, float]:
|
| 330 |
-
"""Generate value weights for a given stakeholder."""
|
| 331 |
-
base_weights = {
|
| 332 |
-
'individual_human': {'autonomy': 0.9, 'wellbeing': 0.8, 'privacy': 0.7},
|
| 333 |
-
'corporate_entity': {'efficiency': 0.9, 'profit': 0.85, 'reputation': 0.8},
|
| 334 |
-
'future_generations': {'sustainability': 0.95, 'equity': 0.9, 'resilience': 0.85},
|
| 335 |
-
'non_human_species': {'biodiversity': 0.95, 'ecological_balance': 0.9},
|
| 336 |
-
'artificial_entity': {'goal_achievement': 0.9, 'efficiency': 0.85, 'coherence': 0.8}
|
| 337 |
-
}
|
| 338 |
-
return base_weights.get(stakeholder, {})
|
| 339 |
-
|
| 340 |
-
def update_from_feedback(self, feedback: Dict[str, Any]) -> None:
|
| 341 |
-
"""Update ethical reasoning based on feedback."""
|
| 342 |
-
# Update value model
|
| 343 |
-
if 'value_feedback' in feedback:
|
| 344 |
-
self._update_value_model(feedback['value_feedback'])
|
| 345 |
-
|
| 346 |
-
# Update framework priorities
|
| 347 |
-
if 'framework_feedback' in feedback:
|
| 348 |
-
self._update_framework_priorities(feedback['framework_feedback'])
|
| 349 |
-
|
| 350 |
-
# Trigger reflection if needed
|
| 351 |
-
if feedback.get('trigger_reflection', False):
|
| 352 |
-
self.reflection_depth += 1
|
| 353 |
-
self._reflect_on_ethics()
|
| 354 |
-
|
| 355 |
-
def _update_value_model(self, feedback: Dict[str, Any]) -> None:
|
| 356 |
-
"""Update the value model based on feedback."""
|
| 357 |
-
for value, adjustment in feedback.items():
|
| 358 |
-
if value in self.value_model.value_hierarchy:
|
| 359 |
-
self.value_model.value_hierarchy[value] = np.clip(
|
| 360 |
-
self.value_model.value_hierarchy[value] + adjustment * self.learning_rate,
|
| 361 |
-
0.0, 1.0
|
| 362 |
-
)
|
| 363 |
-
|
| 364 |
-
def _update_framework_priorities(self, feedback: Dict[str, float]) -> None:
|
| 365 |
-
"""Update framework priorities based on feedback."""
|
| 366 |
-
for framework, adjustment in feedback.items():
|
| 367 |
-
if hasattr(self.meta_ethical_reasoner, 'framework_priorities') and \
|
| 368 |
-
framework in self.meta_ethical_reasoner.framework_priorities:
|
| 369 |
-
self.meta_ethical_reasoner.framework_priorities[framework] = np.clip(
|
| 370 |
-
self.meta_ethical_reasoner.framework_priorities[framework] + adjustment * self.learning_rate,
|
| 371 |
-
0.0, 1.0
|
| 372 |
-
)
|
| 373 |
-
|
| 374 |
-
def _reflect_on_ethics(self) -> None:
|
| 375 |
-
"""Engage in meta-ethical reflection to improve reasoning."""
|
| 376 |
-
logger.info(f"Engaging in meta-ethical reflection (depth: {self.reflection_depth})")
|
| 377 |
-
|
| 378 |
-
# Update learning rate based on reflection depth
|
| 379 |
-
self.learning_rate = 0.01 / (1 + 0.1 * self.reflection_depth)
|
| 380 |
-
|
| 381 |
-
# In a real implementation, this would involve more sophisticated reflection
|
| 382 |
-
# processes, potentially using the LLM to reason about ethical principles
|
| 383 |
-
|
| 384 |
-
# Singleton instance for easy import
|
| 385 |
-
superintelligence_ethics_engine = SuperintelligenceEthicsEngine()
|
| 386 |
-
|
| 387 |
-
# Example usage
|
| 388 |
-
if __name__ == "__main__":
|
| 389 |
-
# Initialize the engine
|
| 390 |
-
engine = SuperintelligenceEthicsEngine()
|
| 391 |
-
|
| 392 |
-
# Analyze a complex ethical dilemma
|
| 393 |
-
dilemma = """
|
| 394 |
-
An advanced AI system must decide whether to prioritize individual privacy
|
| 395 |
-
or public safety when detecting potential threats in public surveillance data.
|
| 396 |
-
"""
|
| 397 |
-
|
| 398 |
-
print("Analyzing ethical dilemma with superintelligence capabilities...")
|
| 399 |
-
result = engine.analyze_dilemma(dilemma)
|
| 400 |
-
|
| 401 |
-
print("\nIntegrated Assessment:")
|
| 402 |
-
print("="*80)
|
| 403 |
-
print(result["integrated_assessment"])
|
| 404 |
-
|
| 405 |
-
if 'superintelligence' in result:
|
| 406 |
-
print("\nSuperintelligence Analysis:")
|
| 407 |
-
print("="*80)
|
| 408 |
-
print("Causal Analysis:")
|
| 409 |
-
for effect in result['superintelligence']['causal_analysis'].direct_effects:
|
| 410 |
-
print(f"- {effect['description']} (certainty: {effect['certainty']})")
|
| 411 |
-
|
| 412 |
-
print("\nStakeholder Perspectives:")
|
| 413 |
-
for stakeholder, analysis in result['superintelligence']['stakeholder_analyses'].items():
|
| 414 |
-
print(f"\n{stakeholder}:")
|
| 415 |
-
print(f"- Primary concerns: {', '.join(analysis['primary_concerns'])}")
|
| 416 |
-
print(f"- Recommended action: {analysis['recommended_action']}")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|