Spaces:
Sleeping
Sleeping
File size: 8,035 Bytes
a60c0af | 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 | """FastAPI entrypoint exposing the DeepResearchAgent via HTTP."""
from __future__ import annotations
import json
import os
import sys
from pathlib import Path
from typing import Any, Dict, Iterator, Optional
from dotenv import load_dotenv
# Load .env file before importing config
load_dotenv()
from fastapi import FastAPI, HTTPException
from fastapi.middleware.cors import CORSMiddleware
from fastapi.responses import FileResponse, StreamingResponse
from fastapi.staticfiles import StaticFiles
from loguru import logger
from pydantic import BaseModel, Field
from config import Configuration, SearchAPI
from agent import DeepResearchAgent
# Static files directory (for production deployment)
STATIC_DIR = Path(__file__).parent.parent / "static"
# Add console log handler
logger.add(
sys.stderr,
level="INFO",
format="<green>{time:YYYY-MM-DD HH:mm:ss}</green> | <level>{level: <4}</level> | <cyan>using_function:{function}</cyan> | <cyan>{file}:{line}</cyan> | <level>{message}</level>",
colorize=True,
)
# Add error log handler
logger.add(
sink=sys.stderr,
level="ERROR",
format="<green>{time:YYYY-MM-DD HH:mm:ss}</green> | <level>{level: <4}</level> | <cyan>using_function:{function}</cyan> | <cyan>{file}:{line}</cyan> | <level>{message}</level>",
colorize=True,
)
class ResearchRequest(BaseModel):
"""Payload for triggering a research run."""
topic: str = Field(..., description="Research topic supplied by the user")
search_api: SearchAPI | None = Field(
default=None,
description="Override the default search backend configured via env",
)
class ResearchResponse(BaseModel):
"""HTTP response containing the generated report and structured tasks."""
report_markdown: str = Field(
..., description="Markdown-formatted research report including sections"
)
todo_items: list[dict[str, Any]] = Field(
default_factory=list,
description="Structured TODO items with summaries and sources",
)
def _mask_secret(value: Optional[str], visible: int = 4) -> str:
"""Mask sensitive tokens while keeping leading and trailing characters."""
if not value:
return "unset"
if len(value) <= visible * 2:
return "*" * len(value)
return f"{value[:visible]}...{value[-visible:]}"
def _build_config(payload: ResearchRequest) -> Configuration:
overrides: Dict[str, Any] = {}
if payload.search_api is not None:
overrides["search_api"] = payload.search_api
return Configuration.from_env(overrides=overrides)
def create_app() -> FastAPI:
app = FastAPI(title="LangGraph Deep Researcher")
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
@app.on_event("startup")
def log_startup_configuration() -> None:
config = Configuration.from_env()
if config.llm_provider == "ollama":
base_url = config.sanitized_ollama_url()
elif config.llm_provider == "lmstudio":
base_url = config.lmstudio_base_url
else:
base_url = config.llm_base_url or "unset"
logger.info(
"DeepResearch configuration loaded: provider=%s model=%s base_url=%s search_api=%s "
"max_loops=%s fetch_full_page=%s tool_calling=%s strip_thinking=%s api_key=%s",
config.llm_provider,
config.resolved_model() or "unset",
base_url,
(config.search_api.value if isinstance(config.search_api, SearchAPI) else config.search_api),
config.max_web_research_loops,
config.fetch_full_page,
config.use_tool_calling,
config.strip_thinking_tokens,
_mask_secret(config.llm_api_key),
)
@app.get("/healthz")
def health_check() -> Dict[str, str]:
return {"status": "ok"}
@app.post("/research", response_model=ResearchResponse)
def run_research(payload: ResearchRequest) -> ResearchResponse:
try:
config = _build_config(payload)
agent = DeepResearchAgent(config=config)
result = agent.run(payload.topic)
except ValueError as exc: # Likely due to unsupported configuration
raise HTTPException(status_code=400, detail=str(exc)) from exc
except Exception as exc: # pragma: no cover - defensive guardrail
raise HTTPException(status_code=500, detail="Research failed") from exc
todo_payload = [
{
"id": item.id,
"title": item.title,
"intent": item.intent,
"query": item.query,
"status": item.status,
"summary": item.summary,
"sources_summary": item.sources_summary,
"note_id": item.note_id,
"note_path": item.note_path,
}
for item in result.todo_items
]
return ResearchResponse(
report_markdown=(result.report_markdown or result.running_summary or ""),
todo_items=todo_payload,
)
@app.post("/research/stream")
def stream_research(payload: ResearchRequest) -> StreamingResponse:
try:
config = _build_config(payload)
agent = DeepResearchAgent(config=config)
except ValueError as exc:
raise HTTPException(status_code=400, detail=str(exc)) from exc
def event_iterator() -> Iterator[str]:
try:
for event in agent.run_stream(payload.topic):
yield f"data: {json.dumps(event, ensure_ascii=False)}\n\n"
except Exception as exc: # pragma: no cover - defensive guardrail
logger.exception("Streaming research failed")
error_payload = {"type": "error", "detail": str(exc)}
yield f"data: {json.dumps(error_payload, ensure_ascii=False)}\n\n"
return StreamingResponse(
event_iterator(),
media_type="text/event-stream",
headers={
"Cache-Control": "no-cache",
"Connection": "keep-alive",
},
)
# Serve static frontend files in production (when static directory exists)
if STATIC_DIR.exists() and STATIC_DIR.is_dir():
logger.info(f"Serving static files from {STATIC_DIR}")
# Mount assets directory first (CSS, JS, images)
assets_dir = STATIC_DIR / "assets"
if assets_dir.exists():
app.mount("/assets", StaticFiles(directory=assets_dir), name="assets")
# Serve index.html for root path
@app.get("/")
async def serve_index() -> FileResponse:
"""Serve the main index.html."""
return FileResponse(STATIC_DIR / "index.html")
# Serve favicon and other root-level static files
@app.get("/favicon.ico")
async def serve_favicon() -> FileResponse:
"""Serve favicon."""
favicon_path = STATIC_DIR / "favicon.ico"
if favicon_path.exists():
return FileResponse(favicon_path)
raise HTTPException(status_code=404, detail="Favicon not found")
# Catch-all for SPA routing (must be last)
@app.get("/{full_path:path}")
async def serve_spa(full_path: str) -> FileResponse:
"""Serve the SPA index.html for client-side routing."""
# Check if requesting a static file that exists
file_path = STATIC_DIR / full_path
if file_path.exists() and file_path.is_file():
return FileResponse(file_path)
# Otherwise serve index.html for SPA routing
return FileResponse(STATIC_DIR / "index.html")
return app
app = create_app()
if __name__ == "__main__":
import uvicorn
uvicorn.run(
"main:app",
host="0.0.0.0",
port=8000,
reload=True,
log_level="info"
)
|