Spaces:
Running
Running
File size: 29,385 Bytes
21afc7b 4b1f155 21afc7b 4b1f155 21afc7b 861acb3 21afc7b | 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 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 | # βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Maria Learning Service | app.py
# FastAPI + ZeroGPU (Qwen2.5-1.5B-Instruct, NF4 int4) + FAISS RAG + gTTS
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
import asyncio
import os
import gc
import json
import base64
import hashlib
import logging
import copy
from io import BytesIO
from typing import List, Any, Optional
import httpx
import numpy as np
import pandas as pd
import faiss
import gradio as gr
from fastapi import FastAPI, HTTPException, Request
from fastapi.responses import JSONResponse
from pydantic import BaseModel
from huggingface_hub import hf_hub_download, snapshot_download
from gtts import gTTS
# ββ ZeroGPU: import spaces only when running inside HF Spaces βββββββββββββββββ
try:
import spaces as _spaces
_ZEROGPU = True
except ImportError:
import types
class _spaces: # noqa: N801
@staticmethod
def GPU(fn):
return fn
_ZEROGPU = False
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s %(levelname)-8s %(message)s",
)
log = logging.getLogger(__name__)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Config / Secrets
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
HASH_VALUE = os.environ.get("HASH_VALUE", "")
CF_SECRET_KEY = os.environ.get("CF_SECRET_KEY", "")
ALLOWED_DOMAIN = os.environ.get("ALLOWED_DOMAIN", "")
HF_REPO_ID = "digifreely/Maria"
LLM_MODEL_ID = "Qwen/Qwen2.5-1.5B-Instruct" # Change 1: updated model
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Preload: cache model weights to local disk + tokenizer at container start.
#
# Why not load directly to CPU in int4?
# bitsandbytes 4-bit quantized models raise ValueError on .to("cuda") β
# quantized tensors cannot be device-moved after loading. The correct ZeroGPU
# pattern is:
# β’ Startup : snapshot_download β weights land in HF cache on local disk.
# β’ GPU call : load with BitsAndBytesConfig + device_map="auto" (CUDA).
# This is fast because no network I/O occurs (cache hit).
# β’ After : delete model object and free GPU memory.
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_llm_tok = None # tokenizer β lives on CPU for the container lifetime
_llm_cache_dir = None # local path returned by snapshot_download
def _preload_model():
"""Cache Qwen2.5-1.5B-Instruct weights to disk and load tokenizer on CPU."""
global _llm_tok, _llm_cache_dir
from transformers import AutoTokenizer
log.info("Downloading / verifying %s weights to local cacheβ¦", LLM_MODEL_ID)
_llm_cache_dir = snapshot_download(repo_id=LLM_MODEL_ID)
_llm_tok = AutoTokenizer.from_pretrained(_llm_cache_dir, trust_remote_code=True)
log.info("Model weights cached at: %s", _llm_cache_dir)
# Trigger preload immediately when the module is imported
_preload_model()
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Embedding model (CPU, loaded once per container lifetime)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_emb_model = None
def _get_emb_model(name: str = "sentence-transformers/all-MiniLM-L6-v2"):
global _emb_model
if _emb_model is None:
from sentence_transformers import SentenceTransformer
log.info("Loading embedding model: %s", name)
_emb_model = SentenceTransformer(name)
return _emb_model
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Security helpers
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _check_auth_code(code: str) -> bool:
if not HASH_VALUE:
return False
return hashlib.sha256(code.encode()).hexdigest() == HASH_VALUE
async def _check_turnstile(token: str) -> bool:
if not CF_SECRET_KEY:
return False
try:
async with httpx.AsyncClient(timeout=8.0) as client:
resp = await client.post(
"https://challenges.cloudflare.com/turnstile/v0/siteverify",
data={"secret": CF_SECRET_KEY, "response": token},
)
return resp.json().get("success", False)
except Exception as exc:
log.error("Turnstile verification error: %s", exc)
return False
async def _authenticate(request: Request) -> bool:
auth_code = request.headers.get("auth_code")
cf_token = request.headers.get("cf-turnstile-token")
if auth_code:
return _check_auth_code(auth_code)
if cf_token:
return await _check_turnstile(cf_token)
# Fallback: domain/referer check (same as init service)
referer = request.headers.get("referer", "")
origin = request.headers.get("origin", "")
if ALLOWED_DOMAIN in referer or ALLOWED_DOMAIN in origin:
return True
return False
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Change 3: Dataset cache β populated by /dataset, consumed by /chat
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Key: (board, cls, subject) β (config, faiss_index, metadata)
_dataset_cache: dict = {}
def _dataset_key(board: str, cls: str, subject: str) -> tuple:
return (board.strip(), cls.strip(), subject.strip())
def _load_dataset(board: str, cls: str, subject: str):
"""Download config / FAISS index / metadata from HF Hub and return them."""
prefix = f"knowledgebase/{board}/{cls}/{subject}"
log.info("Fetching dataset: %s", prefix)
config_path = hf_hub_download(
repo_id=HF_REPO_ID,
filename=f"{prefix}/config.json",
repo_type="dataset",
)
faiss_path = hf_hub_download(
repo_id=HF_REPO_ID,
filename=f"{prefix}/faiss_index.bin",
repo_type="dataset",
)
meta_path = hf_hub_download(
repo_id=HF_REPO_ID,
filename=f"{prefix}/metadata.parquet",
repo_type="dataset",
)
with open(config_path) as fh:
config = json.load(fh)
index = faiss.read_index(faiss_path)
metadata = pd.read_parquet(meta_path)
return config, index, metadata
def _rag_search(
query: str,
config: dict,
index,
metadata: pd.DataFrame,
k: int = 3,
) -> List[str]:
"""Embed query, search FAISS, return top-k text chunks."""
emb_model_name = config.get(
"embedding_model", "sentence-transformers/all-MiniLM-L6-v2"
)
emb = _get_emb_model(emb_model_name)
vec = emb.encode([query], normalize_embeddings=True).astype(np.float32)
_, idxs = index.search(vec, k)
text_cols = ["text", "content", "chunk", "passage", "answer", "description"]
chunks: List[str] = []
for i in idxs[0]:
if 0 <= i < len(metadata):
row = metadata.iloc[i]
for col in text_cols:
if col in metadata.columns and pd.notna(row[col]):
chunks.append(str(row[col])[:600])
break
return chunks
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# LLM inference β NF4 int4 model loaded from disk cache into GPU per call.
# The @spaces.GPU decorator acquires the ZeroGPU slot for the duration.
# Tokenizer is reused from _llm_tok (already on CPU). Model is loaded fresh
# from the local disk cache (_llm_cache_dir) β no network I/O after startup.
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _model_generate(system_prompt: str, user_prompt: str) -> str:
import torch
from transformers import AutoModelForCausalLM, BitsAndBytesConfig
quant_cfg = BitsAndBytesConfig(
load_in_4bit=True,
bnb_4bit_compute_dtype=torch.float16,
bnb_4bit_use_double_quant=True,
bnb_4bit_quant_type="nf4",
)
log.info("Loading %s (NF4 int4) from disk cache to GPUβ¦", LLM_MODEL_ID)
model = AutoModelForCausalLM.from_pretrained(
_llm_cache_dir, # local disk β no download
quantization_config=quant_cfg,
device_map="auto", # maps directly to CUDA
trust_remote_code=True,
)
model.eval()
messages = [
{"role": "system", "content": system_prompt},
{"role": "user", "content": user_prompt},
]
text = _llm_tok.apply_chat_template(
messages,
tokenize=False,
add_generation_prompt=True,
)
inputs = _llm_tok([text], return_tensors="pt").to(model.device)
with torch.no_grad():
out_ids = model.generate(
**inputs,
max_new_tokens=300,
temperature=0.7,
top_p=0.9,
do_sample=True,
repetition_penalty=1.1,
pad_token_id=_llm_tok.eos_token_id,
)
new_tokens = out_ids[0][inputs.input_ids.shape[1]:]
result = _llm_tok.decode(new_tokens, skip_special_tokens=True).strip()
# Release GPU memory before ZeroGPU slot is returned
del model
gc.collect()
torch.cuda.empty_cache()
log.info("Inference complete. Output length: %d chars", len(result))
return result
# Apply ZeroGPU decorator
run_inference = _spaces.GPU(_model_generate)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Text-to-Speech
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _tts_to_b64(text: str) -> str:
try:
tts = gTTS(text=text[:3000], lang="en", tld="co.uk", slow=False)
buf = BytesIO()
tts.write_to_fp(buf)
buf.seek(0)
return base64.b64encode(buf.read()).decode("utf-8")
except Exception as exc:
log.error("TTS error: %s", exc)
return ""
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Change 1: Optimized prompt builder β concise to fit within 300-token output
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _build_system_prompt(lp: dict, rag_chunks: List[str]) -> str:
persona = lp.get("teacher_persona", "A friendly and patient teacher")
student = lp.get("student_name", "Student")
chat_history = lp.get("chat_history", [])[-3:] # reduced: last 3 turns
scratchpad = lp.get("scratchpad", [])[-2:] # reduced: last 2 entries
current_learning = lp.get("assessment_stages", {}).get("current_learning", [])
history_block = "\n".join(
f'S: {h.get("user_input","")}\nT: {h.get("system_output","")}'
for h in chat_history
) or "None."
scratch_block = "\n".join(
f'[{s.get("chat_id","")}] {s.get("thought","")} | {s.get("action","")}'
for s in scratchpad
) or "Empty."
rag_block = "\n---\n".join(rag_chunks) if rag_chunks else "No relevant content found."
cl_block = json.dumps(current_learning, indent=2) if current_learning else "[]"
return f"""You are {persona} teaching {student}, aged 6β12. Use simple English. Be warm and brief.
STUDENT: {student}
LEARNING OBJECTIVES:
{cl_block}
KNOWLEDGE BASE:
{rag_block}
RECENT CHAT:
{history_block}
NOTES:
{scratch_block}
TASK: Classify intent, respond to the student, return ONLY valid JSON. Keep "response" under 80 words.
INTENT RULES:
"block" β rude/inappropriate message. First time: redirect kindly. Repeat: end gently.
"questions" β off-topic question. Answer briefly from KB if found, then redirect.
"curriculum" β on-topic. Follow stages in order: teach β re_teach β show_and_tell β assess.
teach: explain using KB. re_teach: ask one check question; re-explain if wrong.
show_and_tell: ask a similar question. assess: pass=complete, fail=Not_Complete (retry).
"chitchat" β casual talk. Respond warmly, then bring up learning topic.
OUTPUT β return ONLY this JSON:
{{
"intent": "<block|questions|curriculum|chitchat>",
"response": "<reply to student, max 80 words>",
"stage_updates": [{{"topic":"<topic>","goal":"<goal>","teach":"<complete|Not_Complete>","re_teach":"<complete|Not_Complete>","show_and_tell":"<complete|Not_Complete>","assess":"<complete|Not_Complete>"}}],
"thought": "<brief internal reasoning>",
"action": "<teach|re_teach|show_and_tell|assess|answer|redirect|discourage|end|chitchat>",
"observation": "<brief student observation>"
}}"""
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# JSON parser (robust β handles markdown fences, partial JSON, etc.)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _parse_llm_output(raw: str) -> dict:
text = raw.strip()
if "```" in text:
for part in text.split("```"):
part = part.strip()
if part.startswith("json"):
part = part[4:].strip()
try:
return json.loads(part)
except json.JSONDecodeError:
continue
try:
return json.loads(text)
except json.JSONDecodeError:
pass
start = text.find("{")
end = text.rfind("}") + 1
if start != -1 and end > start:
try:
return json.loads(text[start:end])
except json.JSONDecodeError:
pass
log.warning("Could not parse JSON from model output. Using raw text as response.")
return {
"intent": "questions",
"response": raw,
"stage_updates": [],
"thought": "",
"action": "answer",
"observation": "json_parse_failed",
}
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# State updater
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _apply_state_updates(
lp: dict,
parsed: dict,
user_msg: str,
ai_msg: str,
) -> dict:
lp = copy.deepcopy(lp)
history = lp.setdefault("chat_history", [])
new_id = (history[-1]["chat_id"] + 1) if history else 1
history.append({
"chat_id": new_id,
"user_input": user_msg,
"system_output": ai_msg,
})
scratch = lp.setdefault("scratchpad", [])
scratch.append({
"chat_id": new_id,
"thought": parsed.get("thought", ""),
"action": parsed.get("action", ""),
"action_input": user_msg,
"observation": parsed.get("observation", ""),
})
current_learning = lp.get("assessment_stages", {}).get("current_learning", [])
valid_statuses = {"complete", "Not_Complete"}
for upd in parsed.get("stage_updates", []):
for item in current_learning:
if item.get("topic") == upd.get("topic"):
for obj in item.get("learning_objectives", []):
if obj.get("goal") == upd.get("goal"):
for stage in ("teach", "re_teach", "show_and_tell", "assess"):
val = upd.get(stage)
if val in valid_statuses:
obj[stage] = val
lp.setdefault("assessment_stages", {})["current_learning"] = current_learning
return lp
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# FastAPI application
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
_fastapi = FastAPI(
title="Maria Learning Service",
description="AI tutoring API powered by Qwen2.5-1.5B-Instruct with ZeroGPU.",
version="1.1.0",
docs_url="/docs",
redoc_url="/redoc",
)
class ChatRequest(BaseModel):
learning_path: dict[str, Any]
query: dict[str, Any]
class DatasetRequest(BaseModel):
board: str
subject: str
# Pydantic alias so "class" (reserved word) maps to cls_name internally
class_name: str = ""
class Config:
# Allow the JSON field "class" to populate class_name via alias
populate_by_name = True
@classmethod
def model_validate_with_class(cls, data: dict):
data = dict(data)
if "class" in data:
data["class_name"] = data.pop("class")
return cls(**data)
@_fastapi.get("/health", tags=["Utility"])
async def health():
return {"status": "ok", "model": LLM_MODEL_ID, "zerogpu": _ZEROGPU}
@_fastapi.get("/ping", tags=["Utility"])
async def ping(request: Request):
"""Health-check endpoint β wakes the Space if sleeping."""
if not await _authenticate(request):
raise HTTPException(status_code=403, detail="Forbidden")
return JSONResponse(content={"status": "alive"})
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Change 3: /dataset endpoint
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
@_fastapi.post("/dataset", tags=["Dataset"])
async def dataset(request: Request):
"""
Pre-load the FAISS index, config, and metadata for a given board/class/subject.
Must be called before /chat. Subsequent calls with the same key are no-ops (cached).
Request body:
{ "board": "NCERT", "class": "Class 1", "subject": "English" }
Response:
{ "status": "ready", "message": "Dataset Loaded" }
"""
# ββ Authentication ββββββββββββββββββββββββββββββββββββββββββββββββββββββ
if not await _authenticate(request):
raise HTTPException(status_code=403, detail="Forbidden")
# ββ Parse body manually to handle "class" reserved keyword βββββββββββββ
try:
body = await request.json()
except Exception:
raise HTTPException(status_code=422, detail="Invalid JSON body")
board = str(body.get("board", "")).strip()
cls = str(body.get("class", "")).strip()
subject = str(body.get("subject", "")).strip()
if not all([board, cls, subject]):
raise HTTPException(
status_code=422,
detail="Request body must contain board, class, and subject",
)
key = _dataset_key(board, cls, subject)
# ββ Return immediately if already cached ββββββββββββββββββββββββββββββββ
if key in _dataset_cache:
log.info("Dataset cache hit: %s", key)
return JSONResponse({"status": "ready", "message": "Dataset Loaded"})
# ββ Load and cache β run blocking HF I/O in a thread pool so the event
# loop is not frozen, but we still await completion before responding. ββ
try:
config, faiss_index, metadata = await asyncio.to_thread(
_load_dataset, board, cls, subject
)
_dataset_cache[key] = (config, faiss_index, metadata)
log.info("Dataset cached for key: %s", key)
except Exception as exc:
log.error("Dataset load error: %s", exc)
raise HTTPException(
status_code=500,
detail=f"Could not load dataset for {board}/{cls}/{subject}: {exc}",
)
return JSONResponse({"status": "ready", "message": "Dataset Loaded"})
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# /chat endpoint β Change 4: uses dataset preloaded via /dataset
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
@_fastapi.post("/chat", tags=["Tutor"])
async def chat(request: Request, body: ChatRequest):
# ββ 1. Authentication βββββββββββββββββββββββββββββββββββββββββββββββββββ
if not await _authenticate(request):
raise HTTPException(status_code=403, detail="Forbidden")
# ββ 2. Validate request body ββββββββββββββββββββββββββββββββββββββββββββ
lp = body.learning_path
msg = body.query.get("request_message", "").strip()
if not msg:
raise HTTPException(status_code=422, detail="request_message must not be empty")
board = lp.get("board", "").strip()
cls = lp.get("class", "").strip()
subject = lp.get("subject", "").strip()
if not all([board, cls, subject]):
raise HTTPException(
status_code=422,
detail="learning_path must contain board, class, and subject",
)
# ββ 3. Change 4: Retrieve dataset from cache (must call /dataset first) β
key = _dataset_key(board, cls, subject)
if key not in _dataset_cache:
raise HTTPException(
status_code=412,
detail=(
f"Dataset for {board}/{cls}/{subject} is not loaded. "
"Please call POST /dataset first."
),
)
config, faiss_index, metadata = _dataset_cache[key]
# ββ 4. RAG retrieval ββββββββββββββββββββββββββββββββββββββββββββββββββββ
try:
rag_chunks = _rag_search(msg, config, faiss_index, metadata)
except Exception as exc:
log.warning("RAG search failed (%s) β continuing without context", exc)
rag_chunks = []
# ββ 5. Build prompt and run LLM (Change 2: only CPUβGPU move happens here)
system_prompt = _build_system_prompt(lp, rag_chunks)
user_prompt = f"Student: {msg}"
try:
raw_output = run_inference(system_prompt, user_prompt)
except Exception as exc:
log.error("Inference error: %s", exc)
raise HTTPException(status_code=500, detail=f"Inference failed: {exc}")
# ββ 6. Parse structured output ββββββββββββββββββββββββββββββββββββββββββ
parsed = _parse_llm_output(raw_output)
ai_text = parsed.get("response", raw_output).strip()
# ββ 7. Text-to-speech βββββββββββββββββββββββββββββββββββββββββββββββββββ
audio_b64 = _tts_to_b64(ai_text)
# ββ 8. Update learning path state βββββββββββββββββββββββββββββββββββββββ
updated_lp = _apply_state_updates(lp, parsed, msg, ai_text)
# ββ 9. Return response ββββββββββββββββββββββββββββββββββββββββββββββββββ
return JSONResponse({
"learning_path": updated_lp,
"query": {
"response_message": {
"text": ai_text,
"visual": "No",
"visual_content": "",
"audio_output": audio_b64,
}
},
})
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Gradio shim
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
with gr.Blocks(title="Maria Learning Service") as _gradio_ui:
gr.Markdown(
"""
## Maria Learning Service
This Space exposes a **REST API** β it is not a chat UI.
| Endpoint | Method | Description |
|-----------|--------|------------------------------------|
| `/dataset`| POST | Pre-load dataset (call before chat)|
| `/chat` | POST | Main tutoring endpoint |
| `/health` | GET | Health check |
| `/docs` | GET | Swagger UI |
Authenticate via `auth_code` header or `cf-turnstile-token` header.
"""
)
# Mount Gradio UI at /ui β keeps FastAPI routes at root level
app = gr.mount_gradio_app(_fastapi, _gradio_ui, path="/ui")
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Entry point
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
if __name__ == "__main__":
import uvicorn
uvicorn.run(
"app:app",
host="0.0.0.0",
port=7860,
log_level="info",
workers=1, # Single worker β ZeroGPU requires this
)
|