- docker-compose에 nanoclaude 서비스 추가 (포트 8100) - Caddy /nano/* → nanoclaude 리버스 프록시 (SSE flush) - aiosqlite 요청/응답 로깅 (request_logs 테이블) - .env.example, CLAUDE.md 업데이트 Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
63 lines
1.5 KiB
Python
63 lines
1.5 KiB
Python
"""NanoClaude — 비동기 job 기반 AI Gateway."""
|
|
|
|
from __future__ import annotations
|
|
|
|
import logging
|
|
from contextlib import asynccontextmanager
|
|
|
|
from fastapi import FastAPI, Request
|
|
from fastapi.middleware.cors import CORSMiddleware
|
|
from fastapi.responses import JSONResponse
|
|
|
|
from config import settings
|
|
from db.database import init_db
|
|
from routers import chat
|
|
|
|
logging.basicConfig(
|
|
level=logging.INFO,
|
|
format="%(asctime)s %(levelname)s %(name)s — %(message)s",
|
|
)
|
|
|
|
@asynccontextmanager
|
|
async def lifespan(app: FastAPI):
|
|
await init_db()
|
|
yield
|
|
|
|
|
|
app = FastAPI(
|
|
title="NanoClaude",
|
|
version="0.1.0",
|
|
description="비동기 job 기반 AI Gateway — Phase 1",
|
|
lifespan=lifespan,
|
|
)
|
|
|
|
app.add_middleware(
|
|
CORSMiddleware,
|
|
allow_origins=["*"],
|
|
allow_methods=["*"],
|
|
allow_headers=["*"],
|
|
)
|
|
|
|
|
|
@app.middleware("http")
|
|
async def check_api_key(request: Request, call_next):
|
|
"""Optional API key check. 설정이 비어있으면 통과."""
|
|
if settings.api_key:
|
|
auth = request.headers.get("Authorization", "")
|
|
if request.url.path not in ("/", "/health") and auth != f"Bearer {settings.api_key}":
|
|
return JSONResponse(status_code=401, content={"detail": "Invalid API key"})
|
|
return await call_next(request)
|
|
|
|
|
|
app.include_router(chat.router)
|
|
|
|
|
|
@app.get("/")
|
|
async def root():
|
|
return {"service": "NanoClaude", "version": "0.1.0", "phase": 1}
|
|
|
|
|
|
@app.get("/health")
|
|
async def health():
|
|
return {"status": "ok"}
|