Full-stack burn-in orchestration dashboard (Stages 1–6d complete): FastAPI backend, SQLite/WAL, SSE live dashboard, mock TrueNAS server, SMTP/webhook notifications, batch burn-in, settings UI, audit log, stats page, cancel SMART/burn-in, drag-to-reorder stages. Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
123 lines
4.3 KiB
Python
123 lines
4.3 KiB
Python
import asyncio
|
|
import ipaddress
|
|
import logging
|
|
from contextlib import asynccontextmanager
|
|
|
|
from fastapi import FastAPI
|
|
from fastapi.staticfiles import StaticFiles
|
|
from starlette.middleware.base import BaseHTTPMiddleware
|
|
from starlette.requests import Request
|
|
from starlette.responses import PlainTextResponse
|
|
|
|
from app import burnin, mailer, poller, settings_store
|
|
from app.config import settings
|
|
from app.database import init_db
|
|
from app.logging_config import configure as configure_logging
|
|
from app.renderer import templates # noqa: F401 — registers filters as side-effect
|
|
from app.routes import router
|
|
from app.truenas import TrueNASClient
|
|
|
|
# Configure structured JSON logging before anything else logs
|
|
configure_logging()
|
|
log = logging.getLogger(__name__)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# IP allowlist middleware
|
|
# ---------------------------------------------------------------------------
|
|
|
|
class _IPAllowlistMiddleware(BaseHTTPMiddleware):
|
|
"""
|
|
Block requests from IPs not in ALLOWED_IPS.
|
|
|
|
When ALLOWED_IPS is empty the middleware is a no-op.
|
|
Checks X-Forwarded-For first (trusts the leftmost address), then the
|
|
direct client IP.
|
|
"""
|
|
|
|
def __init__(self, app, allowed_ips: str) -> None:
|
|
super().__init__(app)
|
|
self._networks: list[ipaddress.IPv4Network | ipaddress.IPv6Network] = []
|
|
for entry in (s.strip() for s in allowed_ips.split(",") if s.strip()):
|
|
try:
|
|
self._networks.append(ipaddress.ip_network(entry, strict=False))
|
|
except ValueError:
|
|
log.warning("Invalid ALLOWED_IPS entry ignored: %r", entry)
|
|
|
|
def _is_allowed(self, ip_str: str) -> bool:
|
|
try:
|
|
addr = ipaddress.ip_address(ip_str)
|
|
return any(addr in net for net in self._networks)
|
|
except ValueError:
|
|
return False
|
|
|
|
async def dispatch(self, request: Request, call_next):
|
|
if not self._networks:
|
|
return await call_next(request)
|
|
|
|
# Prefer X-Forwarded-For (leftmost = original client)
|
|
forwarded = request.headers.get("X-Forwarded-For", "").split(",")[0].strip()
|
|
client_ip = forwarded or (request.client.host if request.client else "")
|
|
|
|
if self._is_allowed(client_ip):
|
|
return await call_next(request)
|
|
|
|
log.warning("Request blocked by IP allowlist", extra={"client_ip": client_ip})
|
|
return PlainTextResponse("Forbidden", status_code=403)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Poller supervisor — restarts run() if it ever exits unexpectedly
|
|
# ---------------------------------------------------------------------------
|
|
|
|
async def _supervised_poller(client: TrueNASClient) -> None:
|
|
while True:
|
|
try:
|
|
await poller.run(client)
|
|
except asyncio.CancelledError:
|
|
raise # Propagate shutdown signal cleanly
|
|
except Exception as exc:
|
|
log.critical("Poller crashed unexpectedly — restarting in 5s: %s", exc)
|
|
await asyncio.sleep(5)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Lifespan
|
|
# ---------------------------------------------------------------------------
|
|
|
|
_client: TrueNASClient | None = None
|
|
|
|
|
|
@asynccontextmanager
|
|
async def lifespan(app: FastAPI):
|
|
global _client
|
|
log.info("Starting up")
|
|
await init_db()
|
|
settings_store.init()
|
|
_client = TrueNASClient()
|
|
await burnin.init(_client)
|
|
poll_task = asyncio.create_task(_supervised_poller(_client))
|
|
mailer_task = asyncio.create_task(mailer.run())
|
|
yield
|
|
log.info("Shutting down")
|
|
poll_task.cancel()
|
|
mailer_task.cancel()
|
|
try:
|
|
await asyncio.gather(poll_task, mailer_task, return_exceptions=True)
|
|
except asyncio.CancelledError:
|
|
pass
|
|
await _client.close()
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# App
|
|
# ---------------------------------------------------------------------------
|
|
|
|
app = FastAPI(title="TrueNAS Burn-In Dashboard", lifespan=lifespan)
|
|
|
|
if settings.allowed_ips:
|
|
app.add_middleware(_IPAllowlistMiddleware, allowed_ips=settings.allowed_ips)
|
|
log.info("IP allowlist active: %s", settings.allowed_ips)
|
|
|
|
app.mount("/static", StaticFiles(directory="app/static"), name="static")
|
|
app.include_router(router)
|