Spaces:
Sleeping
Sleeping
File size: 13,436 Bytes
b95e73a |
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 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 |
# 🔄 PLANO DE MIGRAÇÃO ML: BACKEND → MODELS
> **Documento de Planejamento da Migração**
> **Status**: Em Execução - Janeiro 2025
> **Objetivo**: Separar responsabilidades ML do sistema multi-agente
---
## 📊 ANÁLISE PRÉ-MIGRAÇÃO
### **CÓDIGO ML NO BACKEND ATUAL**
- **Total**: 7.004 linhas em 13 módulos `src/ml/`
- **Funcionalidade**: Pipeline completo ML funcional
- **Integração**: Importado diretamente pelos 16 agentes
- **Status**: Production-ready, mas acoplado ao backend
### **CIDADAO.AI-MODELS STATUS**
- **Repositório**: Criado com documentação MLOps completa
- **Código**: Apenas main.py placeholder (16 linhas)
- **Documentação**: 654 linhas de especificação técnica
- **Pronto**: Para receber migração ML
---
## 🎯 ESTRATÉGIA DE MIGRAÇÃO
### **ABORDAGEM: MIGRAÇÃO PROGRESSIVA**
1. ✅ **Não quebrar funcionamento atual** do backend
2. ✅ **Migrar código gradualmente** testando a cada etapa
3. ✅ **Manter compatibilidade** durante transição
4. ✅ **Implementar fallback** local se models indisponível
---
## 📋 FASE 1: ESTRUTURAÇÃO (HOJE)
### **1.1 Criar Estrutura Base**
```bash
cidadao.ai-models/
├── src/
│ ├── __init__.py
│ ├── models/ # Core ML models
│ │ ├── __init__.py
│ │ ├── anomaly_detection/ # Anomaly detection pipeline
│ │ ├── pattern_analysis/ # Pattern recognition
│ │ ├── spectral_analysis/ # Frequency domain analysis
│ │ └── core/ # Base classes and utilities
│ ├── training/ # Training infrastructure
│ │ ├── __init__.py
│ │ ├── pipelines/ # Training pipelines
│ │ ├── configs/ # Training configurations
│ │ └── utils/ # Training utilities
│ ├── inference/ # Model serving
│ │ ├── __init__.py
│ │ ├── api_server.py # FastAPI inference server
│ │ ├── batch_processor.py # Batch inference
│ │ └── streaming.py # Real-time inference
│ └── deployment/ # Deployment tools
│ ├── __init__.py
│ ├── huggingface/ # HF Hub integration
│ ├── docker/ # Containerization
│ └── monitoring/ # ML monitoring
├── tests/
│ ├── __init__.py
│ ├── unit/ # Unit tests
│ ├── integration/ # Integration tests
│ └── e2e/ # End-to-end tests
├── configs/ # Model configurations
├── notebooks/ # Jupyter experiments
├── datasets/ # Dataset management
├── requirements.txt # Dependencies
├── setup.py # Package setup
└── README.md # Documentation
```
### **1.2 Configurar Dependências**
```python
# requirements.txt
torch>=2.0.0
transformers>=4.36.0
scikit-learn>=1.3.2
pandas>=2.1.4
numpy>=1.26.3
fastapi>=0.104.0
uvicorn>=0.24.0
huggingface-hub>=0.19.0
mlflow>=2.8.0
wandb>=0.16.0
```
---
## 📋 FASE 2: MIGRAÇÃO MÓDULOS (PRÓXIMA SEMANA)
### **2.1 Mapeamento de Migração**
```python
# Migração de arquivos backend → models
MIGRATION_MAP = {
# Core ML modules
"src/ml/anomaly_detector.py": "src/models/anomaly_detection/detector.py",
"src/ml/pattern_analyzer.py": "src/models/pattern_analysis/analyzer.py",
"src/ml/spectral_analyzer.py": "src/models/spectral_analysis/analyzer.py",
"src/ml/models.py": "src/models/core/base_models.py",
# Training pipeline
"src/ml/training_pipeline.py": "src/training/pipelines/training.py",
"src/ml/advanced_pipeline.py": "src/training/pipelines/advanced.py",
"src/ml/data_pipeline.py": "src/training/pipelines/data.py",
# HuggingFace integration
"src/ml/hf_cidadao_model.py": "src/models/core/hf_model.py",
"src/ml/hf_integration.py": "src/deployment/huggingface/integration.py",
"src/ml/cidadao_model.py": "src/models/core/cidadao_model.py",
# API and serving
"src/ml/model_api.py": "src/inference/api_server.py",
"src/ml/transparency_benchmark.py": "src/models/evaluation/benchmark.py"
}
```
### **2.2 Refatoração de Imports**
```python
# Antes (backend atual)
from src.ml.anomaly_detector import AnomalyDetector
from src.ml.pattern_analyzer import PatternAnalyzer
# Depois (models repo)
from cidadao_models.models.anomaly_detection import AnomalyDetector
from cidadao_models.models.pattern_analysis import PatternAnalyzer
```
### **2.3 Configurar Package**
```python
# setup.py
from setuptools import setup, find_packages
setup(
name="cidadao-ai-models",
version="1.0.0",
description="ML models for Cidadão.AI transparency analysis",
packages=find_packages(where="src"),
package_dir={"": "src"},
install_requires=[
"torch>=2.0.0",
"transformers>=4.36.0",
"scikit-learn>=1.3.2",
# ... outras dependências
],
python_requires=">=3.11",
)
```
---
## 📋 FASE 3: SERVIDOR DE INFERÊNCIA (SEMANA 2)
### **3.1 API Server Dedicado**
```python
# src/inference/api_server.py
from fastapi import FastAPI, HTTPException
from cidadao_models.models.anomaly_detection import AnomalyDetector
from cidadao_models.models.pattern_analysis import PatternAnalyzer
app = FastAPI(title="Cidadão.AI Models API")
# Initialize models
anomaly_detector = AnomalyDetector()
pattern_analyzer = PatternAnalyzer()
@app.post("/v1/detect-anomalies")
async def detect_anomalies(contracts: List[Contract]):
"""Detect anomalies in government contracts"""
try:
results = await anomaly_detector.analyze(contracts)
return {"anomalies": results, "model_version": "1.0.0"}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@app.post("/v1/analyze-patterns")
async def analyze_patterns(data: Dict[str, Any]):
"""Analyze patterns in government data"""
try:
patterns = await pattern_analyzer.analyze(data)
return {"patterns": patterns, "confidence": 0.87}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@app.get("/health")
async def health_check():
return {"status": "healthy", "models_loaded": True}
```
### **3.2 Client no Backend**
```python
# backend/src/tools/models_client.py
import httpx
from typing import Optional, List, Dict, Any
class ModelsClient:
"""Client for cidadao.ai-models API"""
def __init__(self, base_url: str = "http://localhost:8001"):
self.base_url = base_url
self.client = httpx.AsyncClient(timeout=30.0)
async def detect_anomalies(self, contracts: List[Dict]) -> Dict[str, Any]:
"""Call anomaly detection API"""
try:
response = await self.client.post(
f"{self.base_url}/v1/detect-anomalies",
json={"contracts": contracts}
)
response.raise_for_status()
return response.json()
except httpx.RequestError:
# Fallback to local processing if models API unavailable
return await self._local_anomaly_detection(contracts)
async def _local_anomaly_detection(self, contracts: List[Dict]) -> Dict[str, Any]:
"""Fallback local processing"""
# Import local ML if models API unavailable
from src.ml.anomaly_detector import AnomalyDetector
detector = AnomalyDetector()
return detector.analyze(contracts)
```
---
## 📋 FASE 4: INTEGRAÇÃO AGENTES (SEMANA 3)
### **4.1 Atualizar Agente Zumbi**
```python
# backend/src/agents/zumbi.py - ANTES
from src.ml.anomaly_detector import AnomalyDetector
from src.ml.spectral_analyzer import SpectralAnalyzer
class InvestigatorAgent(BaseAgent):
def __init__(self):
self.anomaly_detector = AnomalyDetector()
self.spectral_analyzer = SpectralAnalyzer()
# backend/src/agents/zumbi.py - DEPOIS
from src.tools.models_client import ModelsClient
class InvestigatorAgent(BaseAgent):
def __init__(self):
self.models_client = ModelsClient()
# Fallback local se necessário
self._local_detector = None
async def investigate(self, contracts):
# Tenta usar models API primeiro
try:
results = await self.models_client.detect_anomalies(contracts)
return results
except Exception:
# Fallback para processamento local
if not self._local_detector:
from src.ml.anomaly_detector import AnomalyDetector
self._local_detector = AnomalyDetector()
return self._local_detector.analyze(contracts)
```
### **4.2 Configuração Híbrida**
```python
# backend/src/core/config.py - Adicionar
class Settings(BaseSettings):
# ... existing settings ...
# Models API configuration
models_api_enabled: bool = Field(default=True, description="Enable models API")
models_api_url: str = Field(default="http://localhost:8001", description="Models API URL")
models_api_timeout: int = Field(default=30, description="API timeout seconds")
models_fallback_local: bool = Field(default=True, description="Use local ML as fallback")
```
---
## 📋 FASE 5: DEPLOYMENT (SEMANA 4)
### **5.1 Docker Models**
```dockerfile
# cidadao.ai-models/Dockerfile
FROM python:3.11-slim
WORKDIR /app
# Install dependencies
COPY requirements.txt .
RUN pip install --no-cache-dir -r requirements.txt
# Copy source code
COPY src/ ./src/
COPY setup.py .
RUN pip install -e .
# Expose port
EXPOSE 8001
# Run inference server
CMD ["uvicorn", "src.inference.api_server:app", "--host", "0.0.0.0", "--port", "8001"]
```
### **5.2 Docker Compose Integration**
```yaml
# docker-compose.yml (no backend)
version: '3.8'
services:
cidadao-backend:
build: .
ports:
- "8000:8000"
depends_on:
- cidadao-models
environment:
- MODELS_API_URL=http://cidadao-models:8001
cidadao-models:
build: ../cidadao.ai-models
ports:
- "8001:8001"
environment:
- MODEL_CACHE_SIZE=1000
```
### **5.3 HuggingFace Spaces**
```python
# cidadao.ai-models/spaces_app.py
import gradio as gr
from src.models.anomaly_detection import AnomalyDetector
from src.models.pattern_analysis import PatternAnalyzer
detector = AnomalyDetector()
analyzer = PatternAnalyzer()
def analyze_contract(contract_text):
"""Analyze contract for anomalies"""
result = detector.analyze_text(contract_text)
return {
"anomaly_score": result.score,
"risk_level": result.risk_level,
"explanation": result.explanation
}
# Gradio interface
with gr.Blocks(title="Cidadão.AI Models Demo") as demo:
gr.Markdown("# 🤖 Cidadão.AI - Modelos de Transparência")
with gr.Row():
input_text = gr.Textbox(
label="Texto do Contrato",
placeholder="Cole aqui o texto do contrato para análise..."
)
analyze_btn = gr.Button("Analisar Anomalias")
with gr.Row():
output = gr.JSON(label="Resultado da Análise")
analyze_btn.click(analyze_contract, inputs=input_text, outputs=output)
if __name__ == "__main__":
demo.launch()
```
---
## 🔄 INTEGRAÇÃO ENTRE REPOSITÓRIOS
### **COMUNICAÇÃO API-BASED**
```python
# Fluxo: Backend → Models
1. Backend Agent precisa análise ML
2. Chama Models API via HTTP
3. Models processa e retorna resultado
4. Backend integra resultado na resposta
5. Fallback local se Models indisponível
```
### **VERSIONAMENTO INDEPENDENTE**
```python
# cidadao.ai-models releases
v1.0.0: "Initial anomaly detection model"
v1.1.0: "Pattern analysis improvements"
v1.2.0: "New corruption detection model"
# cidadao.ai-backend usa models
requirements.txt:
cidadao-ai-models>=1.0.0,<2.0.0
```
---
## 📊 CRONOGRAMA EXECUÇÃO
### **SEMANA 1: Setup & Estrutura**
- [ ] Criar estrutura completa cidadao.ai-models
- [ ] Configurar requirements e setup.py
- [ ] Migrar primeiro módulo (anomaly_detector.py)
- [ ] Testar importação e funcionamento básico
### **SEMANA 2: Migração Core**
- [ ] Migrar todos os 13 módulos ML
- [ ] Refatorar imports e dependências
- [ ] Implementar API server básico
- [ ] Criar client no backend
### **SEMANA 3: Integração Agentes**
- [ ] Atualizar Zumbi para usar Models API
- [ ] Implementar fallback local
- [ ] Testar integração completa
- [ ] Atualizar documentação
### **SEMANA 4: Deploy & Production**
- [ ] Containerização Docker
- [ ] Deploy HuggingFace Spaces
- [ ] Monitoramento e métricas
- [ ] Testes de carga e performance
---
## ✅ CRITÉRIOS DE SUCESSO
### **FUNCIONAIS**
- [ ] Backend continua funcionando sem interrupção
- [ ] Models API responde <500ms
- [ ] Fallback local funciona se API indisponível
- [ ] Todos agentes usam nova arquitetura
### **NÃO-FUNCIONAIS**
- [ ] Performance igual ou melhor que atual
- [ ] Deploy independente dos repositórios
- [ ] Documentação atualizada
- [ ] Testes cobrindo >80% código migrado
---
## 🎯 PRÓXIMO PASSO IMEDIATO
**COMEÇAR FASE 1 AGORA**: Criar estrutura base no cidadao.ai-models e migrar primeiro módulo para validar approach.
Vamos começar? |