Files
bakery-ia/services/alert_processor/app/main.py

195 lines
5.4 KiB
Python
Raw Normal View History

2025-08-23 10:19:58 +02:00
"""
2025-12-05 20:07:01 +01:00
Alert Processor Service v2.0
Main FastAPI application with RabbitMQ consumer lifecycle management.
2025-08-23 10:19:58 +02:00
"""
2026-01-08 12:58:00 +01:00
from fastapi import FastAPI, Response
2025-12-05 20:07:01 +01:00
from fastapi.middleware.cors import CORSMiddleware
from contextlib import asynccontextmanager
2025-08-23 10:19:58 +02:00
import structlog
2026-01-08 12:58:00 +01:00
import os
2025-12-05 20:07:01 +01:00
from app.core.config import settings
from app.consumer.event_consumer import EventConsumer
from app.api import alerts, sse
from shared.redis_utils import initialize_redis, close_redis
2026-01-08 12:58:00 +01:00
from shared.monitoring.logging import setup_logging
from shared.monitoring.metrics import MetricsCollector, add_metrics_middleware
2026-01-08 20:48:24 +01:00
from shared.monitoring.system_metrics import SystemMetricsCollector
2026-01-08 12:58:00 +01:00
# OpenTelemetry imports
from opentelemetry import trace
from opentelemetry.sdk.trace import TracerProvider
from opentelemetry.sdk.trace.export import BatchSpanProcessor
from opentelemetry.exporter.otlp.proto.grpc.trace_exporter import OTLPSpanExporter
from opentelemetry.instrumentation.fastapi import FastAPIInstrumentor
from opentelemetry.instrumentation.httpx import HTTPXClientInstrumentor
from opentelemetry.instrumentation.redis import RedisInstrumentor
from opentelemetry.instrumentation.sqlalchemy import SQLAlchemyInstrumentor
from opentelemetry.sdk.resources import Resource
# Configure OpenTelemetry tracing
def setup_tracing(service_name: str = "alert-processor"):
"""Initialize OpenTelemetry tracing with OTLP exporter for Jaeger"""
resource = Resource.create({"service.name": service_name})
otlp_exporter = OTLPSpanExporter(
endpoint=os.getenv("OTEL_EXPORTER_OTLP_ENDPOINT", "http://otel-collector.monitoring.svc.cluster.local:4317"),
insecure=True
)
2026-01-08 12:58:00 +01:00
provider = TracerProvider(resource=resource)
processor = BatchSpanProcessor(otlp_exporter)
provider.add_span_processor(processor)
trace.set_tracer_provider(provider)
return provider
# Initialize tracing
tracer_provider = setup_tracing("alert-processor")
2025-08-23 10:19:58 +02:00
2026-01-08 12:58:00 +01:00
# Setup logging
setup_logging("alert-processor", getattr(settings, 'LOG_LEVEL', 'INFO'))
2025-08-23 10:19:58 +02:00
logger = structlog.get_logger()
2025-12-05 20:07:01 +01:00
# Global consumer instance
consumer: EventConsumer = None
2025-08-23 10:19:58 +02:00
2025-12-05 20:07:01 +01:00
@asynccontextmanager
async def lifespan(app: FastAPI):
2025-08-23 10:19:58 +02:00
"""
2025-12-05 20:07:01 +01:00
Application lifecycle manager.
2025-12-05 20:07:01 +01:00
Startup: Initialize Redis and RabbitMQ consumer
Shutdown: Close consumer and Redis connections
"""
global consumer
2025-12-05 20:07:01 +01:00
logger.info("alert_processor_starting", version=settings.VERSION)
2025-12-05 20:07:01 +01:00
# Startup: Initialize Redis and start consumer
try:
# Initialize Redis connection
await initialize_redis(
settings.REDIS_URL,
db=settings.REDIS_DB,
max_connections=settings.REDIS_MAX_CONNECTIONS
2025-08-23 10:19:58 +02:00
)
2025-12-05 20:07:01 +01:00
logger.info("redis_initialized")
2025-12-05 20:07:01 +01:00
consumer = EventConsumer()
await consumer.start()
logger.info("alert_processor_started")
2026-01-08 12:58:00 +01:00
2026-01-08 20:48:24 +01:00
# Initialize system metrics collection
system_metrics = SystemMetricsCollector("alert-processor")
logger.info("System metrics collection started")
# Note: Metrics are exported via OpenTelemetry OTLP to SigNoz - no metrics server needed
logger.info("Metrics export configured via OpenTelemetry OTLP")
2025-12-05 20:07:01 +01:00
except Exception as e:
logger.error("alert_processor_startup_failed", error=str(e))
raise
2025-12-05 20:07:01 +01:00
yield
2025-12-05 20:07:01 +01:00
# Shutdown: Stop consumer and close Redis
try:
if consumer:
await consumer.stop()
await close_redis()
logger.info("alert_processor_shutdown")
except Exception as e:
logger.error("alert_processor_shutdown_failed", error=str(e))
2025-12-05 20:07:01 +01:00
# Create FastAPI app
app = FastAPI(
title="Alert Processor Service",
description="Event processing, enrichment, and alert management system",
version=settings.VERSION,
lifespan=lifespan,
debug=settings.DEBUG
)
2026-01-08 12:58:00 +01:00
# Instrument FastAPI with OpenTelemetry
FastAPIInstrumentor.instrument_app(app)
# Instrument httpx for outgoing requests
HTTPXClientInstrumentor().instrument()
# Instrument Redis
RedisInstrumentor().instrument()
# Instrument SQLAlchemy
SQLAlchemyInstrumentor().instrument()
# Initialize metrics collector
metrics_collector = MetricsCollector("alert-processor")
# Add metrics middleware to track HTTP requests
add_metrics_middleware(app, metrics_collector)
2025-12-05 20:07:01 +01:00
# CORS middleware
app.add_middleware(
CORSMiddleware,
allow_origins=["*"], # Configure appropriately for production
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
2025-12-05 20:07:01 +01:00
# Include routers
app.include_router(
alerts.router,
prefix="/api/v1/tenants/{tenant_id}",
tags=["alerts"]
)
2025-12-05 20:07:01 +01:00
app.include_router(
sse.router,
prefix="/api/v1",
tags=["sse"]
)
2025-08-23 10:19:58 +02:00
2025-12-05 20:07:01 +01:00
@app.get("/health")
async def health_check():
"""
Health check endpoint.
2025-12-05 20:07:01 +01:00
Returns service status and version.
"""
return {
"status": "healthy",
"service": settings.SERVICE_NAME,
"version": settings.VERSION
}
2025-12-05 20:07:01 +01:00
@app.get("/")
async def root():
"""Root endpoint with service info"""
return {
"service": settings.SERVICE_NAME,
"version": settings.VERSION,
"description": "Event processing, enrichment, and alert management system"
}
2025-08-23 10:19:58 +02:00
2026-01-08 20:48:24 +01:00
# Note: Metrics are exported via OpenTelemetry OTLP to SigNoz
# The /metrics endpoint is not needed as metrics are pushed automatically
2026-01-08 12:58:00 +01:00
2025-08-23 10:19:58 +02:00
if __name__ == "__main__":
2025-12-05 20:07:01 +01:00
import uvicorn
uvicorn.run(
"app.main:app",
host="0.0.0.0",
port=8000,
reload=settings.DEBUG
)