suna/backend/api.py

156 lines
4.8 KiB
Python
Raw Normal View History

2025-04-23 21:43:57 +08:00
from fastapi import FastAPI, Request
2025-03-30 14:48:57 +08:00
from fastapi.middleware.cors import CORSMiddleware
2025-04-23 21:43:57 +08:00
from fastapi.responses import JSONResponse
2025-03-30 14:48:57 +08:00
from contextlib import asynccontextmanager
from agentpress.thread_manager import ThreadManager
from services.supabase import DBConnection
from datetime import datetime, timezone
from dotenv import load_dotenv
2025-04-24 11:34:45 +08:00
from utils.config import config, EnvMode
2025-03-30 14:48:57 +08:00
import asyncio
2025-04-02 02:49:35 +08:00
from utils.logger import logger
import uuid
2025-04-23 21:43:57 +08:00
import time
from collections import OrderedDict
2025-03-30 14:48:57 +08:00
# Import the agent API module
from agent import api as agent_api
2025-04-18 22:04:11 +08:00
from sandbox import api as sandbox_api
2025-03-30 14:48:57 +08:00
2025-04-24 08:45:58 +08:00
# Load environment variables (these will be available through config)
2025-03-30 14:48:57 +08:00
load_dotenv()
# Initialize managers
db = DBConnection()
thread_manager = None
2025-04-25 20:23:05 +08:00
instance_id = "single"
2025-03-30 14:48:57 +08:00
2025-04-23 21:43:57 +08:00
# Rate limiter state
ip_tracker = OrderedDict()
MAX_CONCURRENT_IPS = 25
2025-03-30 14:48:57 +08:00
@asynccontextmanager
async def lifespan(app: FastAPI):
# Startup
global thread_manager
2025-04-24 08:45:58 +08:00
logger.info(f"Starting up FastAPI application with instance ID: {instance_id} in {config.ENV_MODE.value} mode")
2025-03-30 14:48:57 +08:00
2025-04-25 05:15:40 +08:00
try:
# Initialize database
await db.initialize()
thread_manager = ThreadManager()
# Initialize the agent API with shared resources
agent_api.initialize(
thread_manager,
db,
instance_id
)
# Initialize the sandbox API with shared resources
sandbox_api.initialize(db)
# Initialize Redis connection
from services import redis
try:
await redis.initialize_async()
logger.info("Redis connection initialized successfully")
except Exception as e:
logger.error(f"Failed to initialize Redis connection: {e}")
# Continue without Redis - the application will handle Redis failures gracefully
# Start background tasks
asyncio.create_task(agent_api.restore_running_agent_runs())
yield
# Clean up agent resources
logger.info("Cleaning up agent resources")
await agent_api.cleanup()
# Clean up Redis connection
try:
2025-04-25 20:23:05 +08:00
logger.info("Closing Redis connection")
2025-04-25 05:15:40 +08:00
await redis.close()
2025-04-25 20:23:05 +08:00
logger.info("Redis connection closed successfully")
2025-04-25 05:15:40 +08:00
except Exception as e:
logger.error(f"Error closing Redis connection: {e}")
# Clean up database connection
logger.info("Disconnecting from database")
await db.disconnect()
except Exception as e:
logger.error(f"Error during application startup: {e}")
raise
2025-03-30 14:48:57 +08:00
app = FastAPI(lifespan=lifespan)
2025-04-25 06:04:59 +08:00
@app.middleware("http")
async def log_requests_middleware(request: Request, call_next):
start_time = time.time()
client_ip = request.client.host
method = request.method
url = str(request.url)
path = request.url.path
query_params = str(request.query_params)
# Log the incoming request
logger.info(f"Request started: {method} {path} from {client_ip} | Query: {query_params}")
try:
response = await call_next(request)
process_time = time.time() - start_time
logger.debug(f"Request completed: {method} {path} | Status: {response.status_code} | Time: {process_time:.2f}s")
return response
except Exception as e:
process_time = time.time() - start_time
logger.error(f"Request failed: {method} {path} | Error: {str(e)} | Time: {process_time:.2f}s")
raise
2025-04-23 21:43:57 +08:00
2025-04-24 11:34:45 +08:00
# Define allowed origins based on environment
2025-04-25 05:15:40 +08:00
allowed_origins = ["https://www.suna.so", "https://suna.so", "https://staging.suna.so", "http://localhost:3000"]
2025-04-24 11:34:45 +08:00
# Add staging-specific origins
if config.ENV_MODE == EnvMode.STAGING:
allowed_origins.append("http://localhost:3000")
# Add local-specific origins
if config.ENV_MODE == EnvMode.LOCAL:
allowed_origins.append("http://localhost:3000")
2025-03-30 14:48:57 +08:00
app.add_middleware(
CORSMiddleware,
2025-04-24 11:34:45 +08:00
allow_origins=allowed_origins,
2025-03-30 14:48:57 +08:00
allow_credentials=True,
allow_methods=["GET", "POST", "PUT", "DELETE", "OPTIONS"],
allow_headers=["Content-Type", "Authorization"],
2025-03-30 14:48:57 +08:00
)
# Include the agent router with a prefix
app.include_router(agent_api.router, prefix="/api")
2025-04-11 09:35:29 +08:00
# Include the sandbox router with a prefix
2025-04-18 22:04:11 +08:00
app.include_router(sandbox_api.router, prefix="/api")
2025-04-11 09:35:29 +08:00
2025-04-26 07:15:47 +08:00
@app.get("/api/health")
2025-03-30 14:48:57 +08:00
async def health_check():
"""Health check endpoint to verify API is working."""
2025-04-01 10:36:26 +08:00
logger.info("Health check endpoint called")
return {
"status": "ok",
"timestamp": datetime.now(timezone.utc).isoformat(),
"instance_id": instance_id
}
2025-03-30 14:48:57 +08:00
if __name__ == "__main__":
import uvicorn
2025-04-25 06:04:59 +08:00
workers = 2
logger.info(f"Starting server on 0.0.0.0:8000 with {workers} workers")
uvicorn.run(
"api:app",
host="0.0.0.0",
port=8000,
workers=workers
)