Spaces:
Build error
Build error
File size: 9,935 Bytes
b2f701f | 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 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 | """
api.py
------
FastAPI backend for ByteBrain pipeline.
Exposes endpoints to submit a topic, poll job status, and download the video.
Endpoints:
POST /generate -- submit a topic, returns job_id
GET /status/{job_id} -- poll job status + logs
GET /download/{job_id} -- download the final MP4
GET /health -- health check
GET /docs -- auto Swagger UI (built into FastAPI)
Usage:
pip install fastapi uvicorn python-multipart
uvicorn api:app --host 0.0.0.0 --port 8000 --reload
From your HTML frontend:
POST http://localhost:8000/generate { "topic": "Gradient Descent" }
GET http://localhost:8000/status/<job_id>
GET http://localhost:8000/download/<job_id>
"""
import os
import sys
import uuid
import subprocess
import tempfile
import logging
from pathlib import Path
from datetime import datetime
from typing import Optional
from contextlib import asynccontextmanager
from fastapi import FastAPI, BackgroundTasks, HTTPException
from fastapi.responses import FileResponse, JSONResponse
from fastapi.middleware.cors import CORSMiddleware
from pydantic import BaseModel
# ββ Logging βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s [%(levelname)s] %(message)s",
handlers=[logging.StreamHandler(sys.stdout)],
)
log = logging.getLogger(__name__)
# ββ Paths βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
HERE = Path(__file__).parent.resolve()
RUN_PIPELINE = HERE / "run_pipeline.py"
OUTPUT_DIR = Path(os.environ.get("PIPELINE_OUTPUT_DIR",
str(Path(tempfile.gettempdir()) / "bytebrain-output")))
OUTPUT_DIR.mkdir(parents=True, exist_ok=True)
# ββ In-memory job store βββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# For production replace with Redis or a database
jobs: dict[str, dict] = {}
# job schema:
# {
# "job_id": str,
# "topic": str,
# "status": "queued" | "running" | "done" | "failed",
# "created_at": str,
# "finished_at": str | None,
# "video_path": str | None,
# "logs": str,
# "error": str | None,
# }
# ββ Pydantic models βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
class GenerateRequest(BaseModel):
topic: str
voice_trump: Optional[str] = None # override voice path
voice_modi: Optional[str] = None
no_diagram: bool = False
class JobStatusResponse(BaseModel):
job_id: str
topic: str
status: str
created_at: str
finished_at: Optional[str]
logs: str
error: Optional[str]
download_url: Optional[str]
# ββ App βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
@asynccontextmanager
async def lifespan(app: FastAPI):
log.info("=== ByteBrain API starting up ===")
log.info(f"Working dir : {HERE}")
log.info(f"Output dir : {OUTPUT_DIR}")
log.info(f"run_pipeline.py : {RUN_PIPELINE.exists()}")
yield
log.info("=== ByteBrain API shutting down ===")
app = FastAPI(
title="ByteBrain API",
description="Submit a topic β get a chalkboard explainer video with Trump-Modi narration.",
version="1.0.0",
lifespan=lifespan,
)
# Allow all origins for local dev / HF Spaces frontend
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_methods=["*"],
allow_headers=["*"],
)
# ββ Background worker βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _slug(text: str) -> str:
return "".join(ch.lower() if ch.isalnum() else "_" for ch in text).strip("_")
def run_pipeline_job(job_id: str):
job = jobs[job_id]
topic = job["topic"]
job["status"] = "running"
log.info(f"[{job_id}] Starting pipeline for topic: '{topic}'")
ts = datetime.now().strftime("%Y%m%d_%H%M%S")
output_video = OUTPUT_DIR / f"{_slug(topic)}_{ts}_video.mp4"
env = os.environ.copy()
env["PIPELINE_OUTPUT_DIR"] = str(OUTPUT_DIR)
env["PYTHONIOENCODING"] = "utf-8"
env["PYTHONUTF8"] = "1"
cmd = [
sys.executable,
"-X", "utf8",
str(RUN_PIPELINE),
topic,
"--output", str(output_video),
]
# Optional overrides
if job.get("voice_trump"):
cmd += ["--voice-trump", job["voice_trump"]]
if job.get("voice_modi"):
cmd += ["--voice-modi", job["voice_modi"]]
if job.get("no_diagram"):
cmd.append("--no-diagram")
log.info(f"[{job_id}] CMD: {' '.join(cmd)}")
try:
proc = subprocess.run(
cmd,
capture_output=True,
encoding="utf-8",
errors="replace",
cwd=str(HERE),
env=env,
)
logs = (proc.stdout or "") + ("\n" + proc.stderr if proc.stderr else "")
job["logs"] = logs
log.info(f"[{job_id}] Pipeline exited with code {proc.returncode}")
if proc.returncode != 0:
job["status"] = "failed"
job["error"] = "\n".join(logs.strip().splitlines()[-50:])
log.error(f"[{job_id}] Pipeline failed.")
elif not output_video.exists():
job["status"] = "failed"
job["error"] = "Pipeline finished but output video file is missing."
log.error(f"[{job_id}] Video file missing.")
else:
job["status"] = "done"
job["video_path"] = str(output_video)
log.info(f"[{job_id}] Done -> {output_video}")
except Exception as e:
job["status"] = "failed"
job["error"] = str(e)
log.exception(f"[{job_id}] Unexpected error")
finally:
job["finished_at"] = datetime.utcnow().isoformat()
# ββ Endpoints βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
@app.get("/health")
def health():
"""Quick health check."""
return {
"status": "ok",
"pipeline_exists": RUN_PIPELINE.exists(),
"output_dir": str(OUTPUT_DIR),
"active_jobs": len([j for j in jobs.values() if j["status"] == "running"]),
}
@app.post("/generate", response_model=dict)
def generate(req: GenerateRequest, background_tasks: BackgroundTasks):
"""
Submit a topic for video generation.
Returns a job_id you can poll with GET /status/{job_id}.
"""
topic = (req.topic or "").strip()
if not topic:
raise HTTPException(status_code=400, detail="topic cannot be empty.")
job_id = str(uuid.uuid4())
jobs[job_id] = {
"job_id": job_id,
"topic": topic,
"status": "queued",
"created_at": datetime.utcnow().isoformat(),
"finished_at": None,
"video_path": None,
"logs": "",
"error": None,
"voice_trump": req.voice_trump,
"voice_modi": req.voice_modi,
"no_diagram": req.no_diagram,
}
background_tasks.add_task(run_pipeline_job, job_id)
log.info(f"Job created: {job_id} β topic: '{topic}'")
return {
"job_id": job_id,
"status": "queued",
"status_url": f"/status/{job_id}",
"download_url": f"/download/{job_id}",
}
@app.get("/status/{job_id}", response_model=JobStatusResponse)
def status(job_id: str):
"""
Poll job status.
status values: queued | running | done | failed
"""
job = jobs.get(job_id)
if not job:
raise HTTPException(status_code=404, detail=f"Job {job_id} not found.")
download_url = f"/download/{job_id}" if job["status"] == "done" else None
return JobStatusResponse(
job_id = job["job_id"],
topic = job["topic"],
status = job["status"],
created_at = job["created_at"],
finished_at = job["finished_at"],
logs = job["logs"],
error = job["error"],
download_url = download_url,
)
@app.get("/download/{job_id}")
def download(job_id: str):
"""
Download the generated MP4 once status == done.
"""
job = jobs.get(job_id)
if not job:
raise HTTPException(status_code=404, detail=f"Job {job_id} not found.")
if job["status"] != "done":
raise HTTPException(status_code=400, detail=f"Job is not done yet. Status: {job['status']}")
video_path = Path(job["video_path"])
if not video_path.exists():
raise HTTPException(status_code=404, detail="Video file not found on disk.")
filename = f"bytebrain_{_slug(job['topic'])}.mp4"
return FileResponse(
path = str(video_path),
media_type = "video/mp4",
filename = filename,
)
@app.get("/jobs")
def list_jobs():
"""List all jobs (for debugging)."""
return [
{
"job_id": j["job_id"],
"topic": j["topic"],
"status": j["status"],
"created_at": j["created_at"],
}
for j in jobs.values()
] |