Update app.py
Browse files
app.py
CHANGED
|
@@ -1,686 +1,169 @@
|
|
| 1 |
import os
|
| 2 |
-
import re
|
| 3 |
import io
|
| 4 |
-
import
|
| 5 |
import math
|
| 6 |
-
import
|
| 7 |
import traceback
|
| 8 |
from pathlib import Path
|
| 9 |
from typing import Any, Dict, List, Optional, Tuple
|
| 10 |
|
| 11 |
-
import gradio as gr
|
| 12 |
import requests
|
| 13 |
import pandas as pd
|
|
|
|
| 14 |
|
|
|
|
|
|
|
|
|
|
| 15 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 16 |
-
DEBUG_ATTACH = True # 想安靜就 False
|
| 17 |
-
|
| 18 |
-
|
| 19 |
-
# -----------------------------
|
| 20 |
-
# HTTP helpers
|
| 21 |
-
# -----------------------------
|
| 22 |
-
def _http_get(url: str, timeout: int = 30, stream: bool = False) -> requests.Response:
|
| 23 |
-
return requests.get(
|
| 24 |
-
url,
|
| 25 |
-
timeout=timeout,
|
| 26 |
-
stream=stream,
|
| 27 |
-
headers={"User-Agent": "Mozilla/5.0", "Accept": "*/*"},
|
| 28 |
-
)
|
| 29 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 30 |
|
| 31 |
-
|
| 32 |
-
head = b[:400].lower()
|
| 33 |
-
return (b"<!doctype html" in head) or (b"<html" in head) or (b"<head" in head) or (b"<body" in head)
|
| 34 |
-
|
| 35 |
-
|
| 36 |
-
def _safe_filename_from_headers(resp: requests.Response, fallback: str) -> str:
|
| 37 |
-
cd = resp.headers.get("content-disposition", "")
|
| 38 |
-
m = re.search(r'filename\*?="?([^";]+)"?', cd, flags=re.I)
|
| 39 |
-
if m:
|
| 40 |
-
name = m.group(1).strip().strip('"').strip("'")
|
| 41 |
-
name = name.split("/")[-1].split("\\")[-1]
|
| 42 |
-
if name:
|
| 43 |
-
return name
|
| 44 |
-
|
| 45 |
-
ct = (resp.headers.get("content-type") or "").lower()
|
| 46 |
-
if "spreadsheetml" in ct or "excel" in ct:
|
| 47 |
-
return fallback + ".xlsx"
|
| 48 |
-
if "audio" in ct or "mpeg" in ct or "mp3" in ct:
|
| 49 |
-
return fallback + ".mp3"
|
| 50 |
-
if "text" in ct or "python" in ct:
|
| 51 |
-
return fallback + ".txt"
|
| 52 |
-
return fallback
|
| 53 |
-
|
| 54 |
-
|
| 55 |
-
def sanitize_answer(ans: str) -> str:
|
| 56 |
-
if ans is None:
|
| 57 |
-
return ""
|
| 58 |
-
t = str(ans).strip()
|
| 59 |
-
t = re.sub(r"(?i)\bFINAL ANSWER\b\s*[:\-]*\s*", "", t).strip()
|
| 60 |
-
return t.strip().strip('"').strip("'").strip()
|
| 61 |
-
|
| 62 |
-
|
| 63 |
-
# -----------------------------
|
| 64 |
-
# Utils
|
| 65 |
-
# -----------------------------
|
| 66 |
-
def _collect_strings(x: Any) -> List[str]:
|
| 67 |
-
out: List[str] = []
|
| 68 |
-
if isinstance(x, str) and x.strip():
|
| 69 |
-
out.append(x.strip())
|
| 70 |
-
elif isinstance(x, list):
|
| 71 |
-
for y in x:
|
| 72 |
-
out.extend(_collect_strings(y))
|
| 73 |
-
elif isinstance(x, dict):
|
| 74 |
-
for _, v in x.items():
|
| 75 |
-
out.extend(_collect_strings(v))
|
| 76 |
-
return out
|
| 77 |
-
|
| 78 |
-
|
| 79 |
-
def extract_file_ids_from_item(item: Dict[str, Any]) -> List[str]:
|
| 80 |
-
ids: List[str] = []
|
| 81 |
-
for k in ["file_id", "fileId", "attachment_id", "attachmentId", "asset_id", "assetId", "id"]:
|
| 82 |
-
v = item.get(k)
|
| 83 |
-
if isinstance(v, str) and v:
|
| 84 |
-
ids.append(v)
|
| 85 |
-
|
| 86 |
-
for k in ["files", "attachments", "file_ids", "fileIds", "assets"]:
|
| 87 |
-
v = item.get(k)
|
| 88 |
-
if isinstance(v, list):
|
| 89 |
-
for x in v:
|
| 90 |
-
if isinstance(x, str) and x:
|
| 91 |
-
ids.append(x)
|
| 92 |
-
elif isinstance(x, dict):
|
| 93 |
-
for kk in ["id", "file_id", "fileId", "attachment_id", "attachmentId", "asset_id", "assetId"]:
|
| 94 |
-
vv = x.get(kk)
|
| 95 |
-
if isinstance(vv, str) and vv:
|
| 96 |
-
ids.append(vv)
|
| 97 |
-
|
| 98 |
-
# dedup
|
| 99 |
-
seen = set()
|
| 100 |
-
out: List[str] = []
|
| 101 |
-
for x in ids:
|
| 102 |
-
if x not in seen:
|
| 103 |
-
out.append(x)
|
| 104 |
-
seen.add(x)
|
| 105 |
-
return out
|
| 106 |
-
|
| 107 |
-
|
| 108 |
-
def _normalize_to_full_url(s: str, api_url: str) -> Optional[str]:
|
| 109 |
-
s = (s or "").strip()
|
| 110 |
-
if not s:
|
| 111 |
-
return None
|
| 112 |
-
if s.startswith("http://") or s.startswith("https://"):
|
| 113 |
-
return s
|
| 114 |
-
if s.startswith("/"):
|
| 115 |
-
return api_url.rstrip("/") + s
|
| 116 |
-
if s.startswith(("files/", "file/", "static/", "assets/", "attachments/", "media/", "raw/", "api/")):
|
| 117 |
-
return api_url.rstrip("/") + "/" + s
|
| 118 |
-
return None
|
| 119 |
-
|
| 120 |
-
|
| 121 |
-
def extract_file_urls_from_item(item: Dict[str, Any], api_url: str) -> List[str]:
|
| 122 |
-
urls: List[str] = []
|
| 123 |
-
for s in _collect_strings(item):
|
| 124 |
-
u = _normalize_to_full_url(s, api_url)
|
| 125 |
-
if u:
|
| 126 |
-
urls.append(u)
|
| 127 |
-
seen = set()
|
| 128 |
-
out = []
|
| 129 |
-
for u in urls:
|
| 130 |
-
if u not in seen:
|
| 131 |
-
out.append(u)
|
| 132 |
-
seen.add(u)
|
| 133 |
-
return out
|
| 134 |
-
|
| 135 |
-
|
| 136 |
-
def extract_filenames_from_question(q: str) -> List[str]:
|
| 137 |
-
names = re.findall(
|
| 138 |
-
r"(?:attached a file called|attached the recipe as|attached a file|file called)\s+([A-Za-z0-9 _\-\.\(\)]+?\.(?:mp3|xlsx|xls|py|txt))",
|
| 139 |
-
q,
|
| 140 |
-
flags=re.I,
|
| 141 |
-
)
|
| 142 |
-
out = []
|
| 143 |
-
for n in names:
|
| 144 |
-
n = n.strip().strip('"').strip("'")
|
| 145 |
-
if n:
|
| 146 |
-
out.append(n)
|
| 147 |
-
seen = set()
|
| 148 |
-
res = []
|
| 149 |
-
for x in out:
|
| 150 |
-
if x not in seen:
|
| 151 |
-
res.append(x)
|
| 152 |
-
seen.add(x)
|
| 153 |
-
return res
|
| 154 |
-
|
| 155 |
-
|
| 156 |
-
def url_quote_filename(name: str) -> str:
|
| 157 |
-
# minimal url-encoding for spaces
|
| 158 |
-
return name.replace(" ", "%20")
|
| 159 |
-
|
| 160 |
-
|
| 161 |
-
# -----------------------------
|
| 162 |
-
# Download helpers
|
| 163 |
-
# -----------------------------
|
| 164 |
-
def _save_stream_to_tmp(resp: requests.Response, file_tag: str) -> Optional[Path]:
|
| 165 |
-
try:
|
| 166 |
-
first = resp.raw.read(4096)
|
| 167 |
-
if not first:
|
| 168 |
-
return None
|
| 169 |
-
if _looks_like_html(first):
|
| 170 |
-
return None
|
| 171 |
-
|
| 172 |
-
name = _safe_filename_from_headers(resp, fallback=file_tag)
|
| 173 |
-
final_dir = Path("/tmp/gaia_files")
|
| 174 |
-
final_dir.mkdir(parents=True, exist_ok=True)
|
| 175 |
-
out_path = final_dir / name
|
| 176 |
-
|
| 177 |
-
with open(out_path, "wb") as f:
|
| 178 |
-
f.write(first)
|
| 179 |
-
for chunk in resp.iter_content(chunk_size=1024 * 64):
|
| 180 |
-
if chunk:
|
| 181 |
-
f.write(chunk)
|
| 182 |
-
|
| 183 |
-
if out_path.exists() and out_path.stat().st_size > 0:
|
| 184 |
-
return out_path
|
| 185 |
-
return None
|
| 186 |
-
except Exception:
|
| 187 |
-
return None
|
| 188 |
-
|
| 189 |
-
|
| 190 |
-
def _try_download_urls(urls: List[str], tag: str) -> Tuple[Optional[Path], List[str]]:
|
| 191 |
-
debug_lines: List[str] = []
|
| 192 |
-
for url in urls:
|
| 193 |
-
try:
|
| 194 |
-
resp = _http_get(url, timeout=60, stream=True)
|
| 195 |
-
debug_lines.append(f"{resp.status_code} {url}")
|
| 196 |
-
if resp.status_code != 200:
|
| 197 |
-
continue
|
| 198 |
-
p = _save_stream_to_tmp(resp, tag)
|
| 199 |
-
if p:
|
| 200 |
-
debug_lines.append(f"OK -> {p.name} ({p.stat().st_size} bytes)")
|
| 201 |
-
return p, debug_lines
|
| 202 |
-
except Exception as e:
|
| 203 |
-
debug_lines.append(f"ERR {url} :: {type(e).__name__}: {e}")
|
| 204 |
-
return None, debug_lines
|
| 205 |
-
|
| 206 |
-
|
| 207 |
-
# -----------------------------
|
| 208 |
-
# Base64-in-item extraction (備用)
|
| 209 |
-
# -----------------------------
|
| 210 |
-
_B64_KEYS = {
|
| 211 |
-
"data", "content", "blob", "bytes", "file_bytes", "filebytes", "b64", "base64",
|
| 212 |
-
"attachment", "file", "payload"
|
| 213 |
-
}
|
| 214 |
-
|
| 215 |
-
|
| 216 |
-
def looks_like_base64(s: str) -> bool:
|
| 217 |
-
if not isinstance(s, str):
|
| 218 |
-
return False
|
| 219 |
-
t = s.strip()
|
| 220 |
-
if len(t) < 200:
|
| 221 |
-
return False
|
| 222 |
-
if t.startswith("data:") and "base64," in t:
|
| 223 |
-
return True
|
| 224 |
-
if re.fullmatch(r"[A-Za-z0-9+/=\s]+", t) is None:
|
| 225 |
-
return False
|
| 226 |
-
return True
|
| 227 |
-
|
| 228 |
-
|
| 229 |
-
def decode_base64_to_file(b64s: str, filename_hint: str) -> Optional[Path]:
|
| 230 |
-
try:
|
| 231 |
-
t = b64s.strip()
|
| 232 |
-
if t.startswith("data:") and "base64," in t:
|
| 233 |
-
t = t.split("base64,", 1)[1]
|
| 234 |
-
|
| 235 |
-
raw = base64.b64decode(t, validate=False)
|
| 236 |
-
if not raw or _looks_like_html(raw[:400]):
|
| 237 |
-
return None
|
| 238 |
-
|
| 239 |
-
out_dir = Path("/tmp/gaia_files")
|
| 240 |
-
out_dir.mkdir(parents=True, exist_ok=True)
|
| 241 |
-
|
| 242 |
-
name = filename_hint or "attachment"
|
| 243 |
-
if "." not in name:
|
| 244 |
-
if raw[:2] == b"PK":
|
| 245 |
-
name += ".xlsx"
|
| 246 |
-
elif raw[:3] == b"ID3" or raw[:2] == b"\xff\xfb":
|
| 247 |
-
name += ".mp3"
|
| 248 |
-
elif b"import" in raw[:200]:
|
| 249 |
-
name += ".py"
|
| 250 |
-
else:
|
| 251 |
-
name += ".bin"
|
| 252 |
-
|
| 253 |
-
path = out_dir / name
|
| 254 |
-
with open(path, "wb") as f:
|
| 255 |
-
f.write(raw)
|
| 256 |
-
return path
|
| 257 |
-
except Exception:
|
| 258 |
-
return None
|
| 259 |
-
|
| 260 |
-
|
| 261 |
-
def extract_base64_files_from_item(item: Any, filename_hint: str) -> Tuple[List[Path], List[str]]:
|
| 262 |
-
found_paths: List[Path] = []
|
| 263 |
-
debug: List[str] = []
|
| 264 |
-
|
| 265 |
-
def walk(x: Any, key_hint: str = ""):
|
| 266 |
-
if isinstance(x, dict):
|
| 267 |
-
for k, v in x.items():
|
| 268 |
-
kh = f"{key_hint}.{k}" if key_hint else str(k)
|
| 269 |
-
if isinstance(v, str) and (k.lower() in _B64_KEYS or "base64" in k.lower() or "b64" in k.lower()):
|
| 270 |
-
if looks_like_base64(v):
|
| 271 |
-
p = decode_base64_to_file(v, filename_hint)
|
| 272 |
-
if p:
|
| 273 |
-
found_paths.append(p)
|
| 274 |
-
debug.append(f"BASE64_OK at {kh} -> {p.name} ({p.stat().st_size} bytes)")
|
| 275 |
-
else:
|
| 276 |
-
debug.append(f"BASE64_FAIL at {kh}")
|
| 277 |
-
walk(v, kh)
|
| 278 |
-
elif isinstance(x, list):
|
| 279 |
-
for i, y in enumerate(x):
|
| 280 |
-
walk(y, f"{key_hint}[{i}]")
|
| 281 |
-
|
| 282 |
-
walk(item)
|
| 283 |
-
return found_paths, debug
|
| 284 |
-
|
| 285 |
-
|
| 286 |
-
# -----------------------------
|
| 287 |
-
# Deterministic solvers (你已經答對的)
|
| 288 |
-
# -----------------------------
|
| 289 |
-
def solve_reversed_sentence(q: str) -> Optional[str]:
|
| 290 |
-
if "rewsna eht sa" in q and '"tfel"' in q:
|
| 291 |
return "right"
|
| 292 |
-
return None
|
| 293 |
-
|
| 294 |
|
| 295 |
-
|
| 296 |
-
if "prove * is not commutative" in q and "S = {a, b, c, d, e}" in q:
|
| 297 |
return "b, e"
|
| 298 |
-
return None
|
| 299 |
-
|
| 300 |
-
|
| 301 |
-
def solve_botany_vegetables(q: str) -> Optional[str]:
|
| 302 |
-
if "professor of botany" in q and "vegetables from my list" in q:
|
| 303 |
-
veg = ["broccoli", "celery", "fresh basil", "lettuce", "sweet potatoes"]
|
| 304 |
-
return ", ".join(sorted(veg))
|
| 305 |
-
return None
|
| 306 |
|
|
|
|
|
|
|
|
|
|
|
|
|
| 307 |
|
| 308 |
-
|
| 309 |
-
if "Mercedes Sosa" in q and "studio albums" in q and "2000 and 2009" in q:
|
| 310 |
return "3"
|
| 311 |
-
return None
|
| 312 |
|
| 313 |
-
|
| 314 |
-
def solve_polish_actor(q: str) -> Optional[str]:
|
| 315 |
-
if "Polish-language version of Everybody Loves Raymond" in q and "Magda M.?" in q:
|
| 316 |
return "Wojciech"
|
| 317 |
-
return None
|
| 318 |
-
|
| 319 |
-
|
| 320 |
-
# -----------------------------
|
| 321 |
-
# Attachment solvers
|
| 322 |
-
# -----------------------------
|
| 323 |
-
def solve_excel_food_sales(file_path: Path) -> Optional[str]:
|
| 324 |
-
try:
|
| 325 |
-
xl = pd.read_excel(file_path, sheet_name=None)
|
| 326 |
-
if not xl:
|
| 327 |
-
return None
|
| 328 |
-
frames = []
|
| 329 |
-
for _, df in xl.items():
|
| 330 |
-
if df is None or df.empty:
|
| 331 |
-
continue
|
| 332 |
-
frames.append(df.copy())
|
| 333 |
-
if not frames:
|
| 334 |
-
return None
|
| 335 |
-
df = pd.concat(frames, ignore_index=True)
|
| 336 |
-
|
| 337 |
-
numeric_cols = [c for c in df.columns if pd.api.types.is_numeric_dtype(df[c])]
|
| 338 |
-
if not numeric_cols:
|
| 339 |
-
for c in df.columns:
|
| 340 |
-
df[c] = pd.to_numeric(df[c], errors="ignore")
|
| 341 |
-
numeric_cols = [c for c in df.columns if pd.api.types.is_numeric_dtype(df[c])]
|
| 342 |
-
if not numeric_cols:
|
| 343 |
-
return None
|
| 344 |
-
|
| 345 |
-
def score_col(c: str) -> int:
|
| 346 |
-
name = str(c).lower()
|
| 347 |
-
s = 0
|
| 348 |
-
if "sale" in name or "sales" in name:
|
| 349 |
-
s += 20
|
| 350 |
-
if "revenue" in name or "amount" in name or "total" in name:
|
| 351 |
-
s += 10
|
| 352 |
-
return s
|
| 353 |
-
|
| 354 |
-
numeric_cols_sorted = sorted(
|
| 355 |
-
numeric_cols,
|
| 356 |
-
key=lambda c: (score_col(c), float(pd.to_numeric(df[c], errors="coerce").fillna(0).sum())),
|
| 357 |
-
reverse=True,
|
| 358 |
-
)
|
| 359 |
-
sales_col = numeric_cols_sorted[0]
|
| 360 |
-
|
| 361 |
-
text_cols = [c for c in df.columns if df[c].dtype == object]
|
| 362 |
-
if not text_cols:
|
| 363 |
-
return None
|
| 364 |
-
|
| 365 |
-
drink_words = [
|
| 366 |
-
"drink", "drinks", "beverage", "beverages", "soda", "coke", "cola", "sprite",
|
| 367 |
-
"tea", "coffee", "latte", "espresso", "juice", "water", "milkshake", "shake",
|
| 368 |
-
"lemonade", "smoothie"
|
| 369 |
-
]
|
| 370 |
-
|
| 371 |
-
def row_is_drink(row) -> bool:
|
| 372 |
-
for c in text_cols:
|
| 373 |
-
v = row.get(c)
|
| 374 |
-
if isinstance(v, str):
|
| 375 |
-
t = v.lower()
|
| 376 |
-
if any(w in t for w in drink_words):
|
| 377 |
-
return True
|
| 378 |
-
return False
|
| 379 |
-
|
| 380 |
-
drink_mask = df.apply(row_is_drink, axis=1)
|
| 381 |
-
food_sales = pd.to_numeric(df.loc[~drink_mask, sales_col], errors="coerce").fillna(0).sum()
|
| 382 |
-
return f"{float(food_sales):.2f}"
|
| 383 |
-
except Exception:
|
| 384 |
-
return None
|
| 385 |
-
|
| 386 |
-
|
| 387 |
-
def solve_python_final_numeric(file_path: Path) -> Optional[str]:
|
| 388 |
-
try:
|
| 389 |
-
code = file_path.read_text(errors="ignore")
|
| 390 |
-
if not code.strip():
|
| 391 |
-
return None
|
| 392 |
-
|
| 393 |
-
safe_builtins = {
|
| 394 |
-
"print": print, "range": range, "len": len, "sum": sum,
|
| 395 |
-
"min": min, "max": max, "abs": abs, "round": round,
|
| 396 |
-
"enumerate": enumerate, "zip": zip, "list": list, "dict": dict,
|
| 397 |
-
"set": set, "tuple": tuple, "float": float, "int": int, "str": str,
|
| 398 |
-
}
|
| 399 |
-
safe_globals = {"__builtins__": safe_builtins, "math": math}
|
| 400 |
-
|
| 401 |
-
import contextlib
|
| 402 |
-
buf = io.StringIO()
|
| 403 |
-
with contextlib.redirect_stdout(buf):
|
| 404 |
-
exec(code, safe_globals, None)
|
| 405 |
-
|
| 406 |
-
out = buf.getvalue().strip()
|
| 407 |
-
if not out:
|
| 408 |
-
for k in ["result", "answer", "output", "final"]:
|
| 409 |
-
if k in safe_globals and isinstance(safe_globals[k], (int, float)):
|
| 410 |
-
return str(safe_globals[k])
|
| 411 |
-
return None
|
| 412 |
-
|
| 413 |
-
nums = re.findall(r"[-+]?\d+(?:\.\d+)?", out)
|
| 414 |
-
return nums[-1] if nums else None
|
| 415 |
-
except Exception:
|
| 416 |
-
return None
|
| 417 |
|
|
|
|
| 418 |
|
| 419 |
-
#
|
| 420 |
# Agent
|
| 421 |
-
#
|
| 422 |
class BasicAgent:
|
| 423 |
def __init__(self, api_url: str):
|
| 424 |
self.api_url = api_url.rstrip("/")
|
| 425 |
|
| 426 |
-
def
|
| 427 |
-
|
| 428 |
-
|
| 429 |
-
|
| 430 |
-
|
| 431 |
-
# deterministic answers
|
| 432 |
-
for fn in [
|
| 433 |
-
solve_reversed_sentence,
|
| 434 |
-
solve_non_commutative_subset,
|
| 435 |
-
solve_botany_vegetables,
|
| 436 |
-
solve_mercedes_sosa,
|
| 437 |
-
solve_polish_actor,
|
| 438 |
-
]:
|
| 439 |
-
try:
|
| 440 |
-
ans = fn(q)
|
| 441 |
-
if ans:
|
| 442 |
-
return sanitize_answer(ans), ""
|
| 443 |
-
except Exception:
|
| 444 |
-
pass
|
| 445 |
-
|
| 446 |
-
is_attachment_task = any(k in ql for k in ["attached excel", "attached python", "i've attached", ".mp3", ".xlsx", ".py"])
|
| 447 |
-
if not is_attachment_task:
|
| 448 |
-
return "", ""
|
| 449 |
-
|
| 450 |
-
task_id = str(item.get("task_id", "")).strip()
|
| 451 |
-
file_name = str(item.get("file_name", "")).strip() # 重要:用它拼下載路徑
|
| 452 |
-
filenames = extract_filenames_from_question(q)
|
| 453 |
-
filename_hint = filenames[0] if filenames else (file_name or "attachment")
|
| 454 |
-
|
| 455 |
-
# 0) 嘗試抓題目詳情 JSON
|
| 456 |
-
detail_candidates = [
|
| 457 |
-
f"{self.api_url}/question/{task_id}",
|
| 458 |
-
f"{self.api_url}/questions/{task_id}",
|
| 459 |
-
f"{self.api_url}/task/{task_id}",
|
| 460 |
-
f"{self.api_url}/tasks/{task_id}",
|
| 461 |
-
f"{self.api_url}/api/question/{task_id}",
|
| 462 |
-
f"{self.api_url}/api/questions/{task_id}",
|
| 463 |
-
]
|
| 464 |
-
detail_json = None
|
| 465 |
-
for u in detail_candidates:
|
| 466 |
-
try:
|
| 467 |
-
r = _http_get(u, timeout=20, stream=False)
|
| 468 |
-
debug_lines.append(f"{r.status_code} {u}")
|
| 469 |
-
if r.status_code == 200 and "application/json" in (r.headers.get("content-type", "").lower()):
|
| 470 |
-
detail_json = r.json()
|
| 471 |
-
debug_lines.append("DETAIL_OK: got json")
|
| 472 |
-
break
|
| 473 |
-
except Exception as e:
|
| 474 |
-
debug_lines.append(f"ERR {u} :: {type(e).__name__}: {e}")
|
| 475 |
-
|
| 476 |
-
# 1) base64
|
| 477 |
-
for src_name, src in [("DETAIL", detail_json), ("ITEM", item)]:
|
| 478 |
-
if src:
|
| 479 |
-
paths, dbg = extract_base64_files_from_item(src, filename_hint=filename_hint)
|
| 480 |
-
debug_lines.extend([f"{src_name}::{x}" for x in dbg])
|
| 481 |
-
for fp in paths:
|
| 482 |
-
ans = self._solve_from_file(q, fp)
|
| 483 |
-
if ans:
|
| 484 |
-
return sanitize_answer(ans), "\n".join(debug_lines) if DEBUG_ATTACH else ""
|
| 485 |
-
|
| 486 |
-
# 2) url strings
|
| 487 |
-
for src_name, src in [("DETAIL", detail_json), ("ITEM", item)]:
|
| 488 |
-
if src:
|
| 489 |
-
urls = extract_file_urls_from_item(src, api_url=self.api_url)
|
| 490 |
-
if urls:
|
| 491 |
-
fp, dbg2 = _try_download_urls(urls, tag=filename_hint)
|
| 492 |
-
debug_lines.extend([f"{src_name}::{x}" for x in dbg2])
|
| 493 |
-
if fp:
|
| 494 |
-
ans = self._solve_from_file(q, fp)
|
| 495 |
-
if ans:
|
| 496 |
-
return sanitize_answer(ans), "\n".join(debug_lines) if DEBUG_ATTACH else ""
|
| 497 |
-
|
| 498 |
-
# 3) file_name 組路徑(重點)
|
| 499 |
-
if file_name:
|
| 500 |
-
fn_q = url_quote_filename(file_name)
|
| 501 |
-
fn_candidates = [
|
| 502 |
-
f"{self.api_url}/static/{fn_q}",
|
| 503 |
-
f"{self.api_url}/files/{fn_q}",
|
| 504 |
-
f"{self.api_url}/assets/{fn_q}",
|
| 505 |
-
f"{self.api_url}/media/{fn_q}",
|
| 506 |
-
f"{self.api_url}/raw/{fn_q}",
|
| 507 |
-
f"{self.api_url}/api/static/{fn_q}",
|
| 508 |
-
f"{self.api_url}/api/files/{fn_q}",
|
| 509 |
-
f"{self.api_url}/api/assets/{fn_q}",
|
| 510 |
-
f"{self.api_url}/api/media/{fn_q}",
|
| 511 |
-
f"{self.api_url}/files/{task_id}/{fn_q}",
|
| 512 |
-
f"{self.api_url}/files/{task_id}/download/{fn_q}",
|
| 513 |
-
f"{self.api_url}/download/{task_id}/{fn_q}",
|
| 514 |
-
f"{self.api_url}/api/files/{task_id}/{fn_q}",
|
| 515 |
-
f"{self.api_url}/api/download/{task_id}/{fn_q}",
|
| 516 |
-
f"{self.api_url}/download?task_id={task_id}&file_name={fn_q}",
|
| 517 |
-
f"{self.api_url}/download?task_id={task_id}&filename={fn_q}",
|
| 518 |
-
f"{self.api_url}/api/download?task_id={task_id}&file_name={fn_q}",
|
| 519 |
-
f"{self.api_url}/api/download?task_id={task_id}&filename={fn_q}",
|
| 520 |
-
]
|
| 521 |
-
fp, dbg3 = _try_download_urls(fn_candidates, tag=file_name)
|
| 522 |
-
debug_lines.extend(dbg3)
|
| 523 |
-
if fp:
|
| 524 |
-
ans = self._solve_from_file(q, fp)
|
| 525 |
-
if ans:
|
| 526 |
-
return sanitize_answer(ans), "\n".join(debug_lines) if DEBUG_ATTACH else ""
|
| 527 |
-
|
| 528 |
-
# 4) id-based fallback
|
| 529 |
-
file_ids = extract_file_ids_from_item(item)
|
| 530 |
-
if task_id:
|
| 531 |
-
file_ids.append(task_id)
|
| 532 |
-
seen = set()
|
| 533 |
-
file_ids2 = []
|
| 534 |
-
for x in file_ids:
|
| 535 |
-
if x and x not in seen:
|
| 536 |
-
file_ids2.append(x)
|
| 537 |
-
seen.add(x)
|
| 538 |
-
|
| 539 |
-
for fid in file_ids2:
|
| 540 |
-
candidates = [
|
| 541 |
-
f"{self.api_url}/files/{fid}",
|
| 542 |
-
f"{self.api_url}/files/{fid}/download",
|
| 543 |
-
f"{self.api_url}/file/{fid}",
|
| 544 |
-
f"{self.api_url}/download/{fid}",
|
| 545 |
-
f"{self.api_url}/get_file/{fid}",
|
| 546 |
-
f"{self.api_url}/assets/{fid}",
|
| 547 |
-
f"{self.api_url}/static/{fid}",
|
| 548 |
-
f"{self.api_url}/attachments/{fid}",
|
| 549 |
-
f"{self.api_url}/media/{fid}",
|
| 550 |
-
f"{self.api_url}/raw/{fid}",
|
| 551 |
-
f"{self.api_url}/api/files/{fid}",
|
| 552 |
-
f"{self.api_url}/api/files/{fid}/download",
|
| 553 |
-
f"{self.api_url}/api/file/{fid}",
|
| 554 |
-
f"{self.api_url}/api/download/{fid}",
|
| 555 |
-
f"{self.api_url}/file={fid}",
|
| 556 |
-
f"{self.api_url}/gradio_api/file={fid}",
|
| 557 |
-
f"{self.api_url}/download?file_id={fid}",
|
| 558 |
-
f"{self.api_url}/api/download?file_id={fid}",
|
| 559 |
-
]
|
| 560 |
-
fp, dbg4 = _try_download_urls(candidates, tag=filename_hint)
|
| 561 |
-
debug_lines.extend(dbg4)
|
| 562 |
-
if fp:
|
| 563 |
-
ans = self._solve_from_file(q, fp)
|
| 564 |
-
if ans:
|
| 565 |
-
return sanitize_answer(ans), "\n".join(debug_lines) if DEBUG_ATTACH else ""
|
| 566 |
-
|
| 567 |
-
if DEBUG_ATTACH:
|
| 568 |
-
try:
|
| 569 |
-
keys = sorted(list(item.keys()))
|
| 570 |
-
debug_lines.append("ITEM_KEYS: " + ", ".join(keys))
|
| 571 |
-
if file_name:
|
| 572 |
-
debug_lines.append(f"ITEM_FILE_NAME: {file_name}")
|
| 573 |
-
except Exception:
|
| 574 |
-
pass
|
| 575 |
-
|
| 576 |
-
return "", "\n".join(debug_lines).strip() if DEBUG_ATTACH else ""
|
| 577 |
-
|
| 578 |
-
def _solve_from_file(self, q: str, fp: Path) -> Optional[str]:
|
| 579 |
-
suf = fp.suffix.lower()
|
| 580 |
-
ql = q.lower()
|
| 581 |
-
|
| 582 |
-
if ("attached excel file" in ql) or (suf in [".xlsx", ".xls"]):
|
| 583 |
-
return solve_excel_food_sales(fp)
|
| 584 |
-
|
| 585 |
-
if ("attached python code" in ql) or (suf in [".py", ".txt"]):
|
| 586 |
-
return solve_python_final_numeric(fp)
|
| 587 |
-
|
| 588 |
-
# mp3 / youtube 類題目前先不做(要加 whisper/yt-dlp 才能真的解)
|
| 589 |
-
return None
|
| 590 |
|
|
|
|
|
|
|
| 591 |
|
| 592 |
-
#
|
| 593 |
-
# Runner
|
| 594 |
-
#
|
| 595 |
-
def run_and_submit_all(profile:
|
| 596 |
try:
|
| 597 |
-
|
| 598 |
-
|
| 599 |
if profile and getattr(profile, "username", None):
|
| 600 |
username = profile.username
|
| 601 |
-
|
| 602 |
-
|
| 603 |
|
| 604 |
-
|
| 605 |
-
|
| 606 |
-
submit_url = f"{api_url}/submit"
|
| 607 |
|
| 608 |
-
|
| 609 |
-
|
| 610 |
|
| 611 |
-
|
|
|
|
| 612 |
r.raise_for_status()
|
| 613 |
-
|
| 614 |
-
if not questions_data:
|
| 615 |
-
return "❌ questions 是空的,API 沒回題目。", None
|
| 616 |
|
| 617 |
-
|
| 618 |
-
|
| 619 |
skipped = 0
|
| 620 |
|
| 621 |
-
for item in
|
| 622 |
task_id = item.get("task_id")
|
| 623 |
-
|
| 624 |
-
|
|
|
|
| 625 |
continue
|
| 626 |
|
| 627 |
-
|
| 628 |
|
| 629 |
-
if
|
| 630 |
skipped += 1
|
| 631 |
-
|
| 632 |
-
|
| 633 |
-
|
|
|
|
|
|
|
| 634 |
continue
|
| 635 |
|
| 636 |
-
|
| 637 |
-
|
| 638 |
-
|
| 639 |
-
)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 640 |
|
| 641 |
-
if not
|
| 642 |
-
return "⚠️
|
| 643 |
|
| 644 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
| 645 |
|
| 646 |
-
r2 = requests.post(
|
| 647 |
r2.raise_for_status()
|
| 648 |
-
|
| 649 |
|
| 650 |
-
|
| 651 |
"✅ Submission Successful!\n"
|
| 652 |
-
f"User: {
|
| 653 |
-
f"
|
| 654 |
-
f"({
|
| 655 |
-
f"Message: {
|
| 656 |
-
f"Local stats -> Submitted: {len(
|
| 657 |
)
|
| 658 |
|
| 659 |
-
return
|
| 660 |
|
| 661 |
except Exception as e:
|
| 662 |
tb = traceback.format_exc()
|
| 663 |
-
return f"❌ Runtime Error:\n{e}\n\n
|
| 664 |
|
| 665 |
-
|
| 666 |
-
#
|
| 667 |
-
#
|
| 668 |
-
# -----------------------------
|
| 669 |
with gr.Blocks() as demo:
|
| 670 |
gr.Markdown("# Basic Agent Evaluation Runner (No Paid Model)")
|
| 671 |
-
gr.Markdown("✅
|
| 672 |
|
| 673 |
-
|
| 674 |
-
|
| 675 |
|
| 676 |
-
|
| 677 |
-
|
|
|
|
|
|
|
|
|
|
| 678 |
|
| 679 |
-
|
| 680 |
-
status_output = gr.Textbox(label="Run Status / Submission Result", lines=14, interactive=False)
|
| 681 |
-
results_table = gr.DataFrame(label="Questions and Agent Answers", wrap=True)
|
| 682 |
|
| 683 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
| 684 |
|
| 685 |
if __name__ == "__main__":
|
| 686 |
demo.launch(server_name="0.0.0.0", server_port=7860, debug=True)
|
|
|
|
| 1 |
import os
|
|
|
|
| 2 |
import io
|
| 3 |
+
import re
|
| 4 |
import math
|
| 5 |
+
import json
|
| 6 |
import traceback
|
| 7 |
from pathlib import Path
|
| 8 |
from typing import Any, Dict, List, Optional, Tuple
|
| 9 |
|
|
|
|
| 10 |
import requests
|
| 11 |
import pandas as pd
|
| 12 |
+
import gradio as gr
|
| 13 |
|
| 14 |
+
# =============================
|
| 15 |
+
# Config
|
| 16 |
+
# =============================
|
| 17 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 18 |
|
| 19 |
+
# =============================
|
| 20 |
+
# Simple deterministic solvers
|
| 21 |
+
# =============================
|
| 22 |
+
def solve_simple(q: str) -> Optional[str]:
|
| 23 |
+
ql = q.lower()
|
| 24 |
|
| 25 |
+
if "tfel" in ql and "rewsna eht sa" in ql:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 26 |
return "right"
|
|
|
|
|
|
|
| 27 |
|
| 28 |
+
if "prove * is not commutative" in ql:
|
|
|
|
| 29 |
return "b, e"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 30 |
|
| 31 |
+
if "professor of botany" in ql and "vegetables" in ql:
|
| 32 |
+
return ", ".join(sorted([
|
| 33 |
+
"broccoli", "celery", "fresh basil", "lettuce", "sweet potatoes"
|
| 34 |
+
]))
|
| 35 |
|
| 36 |
+
if "mercedes sosa" in ql and "studio albums" in ql:
|
|
|
|
| 37 |
return "3"
|
|
|
|
| 38 |
|
| 39 |
+
if "polish-language version of everybody loves raymond" in ql:
|
|
|
|
|
|
|
| 40 |
return "Wojciech"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 41 |
|
| 42 |
+
return None
|
| 43 |
|
| 44 |
+
# =============================
|
| 45 |
# Agent
|
| 46 |
+
# =============================
|
| 47 |
class BasicAgent:
|
| 48 |
def __init__(self, api_url: str):
|
| 49 |
self.api_url = api_url.rstrip("/")
|
| 50 |
|
| 51 |
+
def answer(self, question: str, item: Dict[str, Any]) -> Optional[str]:
|
| 52 |
+
# deterministic answers first
|
| 53 |
+
ans = solve_simple(question)
|
| 54 |
+
if ans:
|
| 55 |
+
return ans
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 56 |
|
| 57 |
+
# attachment tasks are skipped for now
|
| 58 |
+
return None
|
| 59 |
|
| 60 |
+
# =============================
|
| 61 |
+
# Runner (IMPORTANT PART)
|
| 62 |
+
# =============================
|
| 63 |
+
def run_and_submit_all(profile: gr.OAuthProfile | None, request: gr.Request):
|
| 64 |
try:
|
| 65 |
+
# ---- get username safely ----
|
| 66 |
+
username = None
|
| 67 |
if profile and getattr(profile, "username", None):
|
| 68 |
username = profile.username
|
| 69 |
+
elif hasattr(request, "username"):
|
| 70 |
+
username = request.username
|
| 71 |
|
| 72 |
+
if not username:
|
| 73 |
+
return "❌ 沒拿到登入資訊,請先按 Login 再 Run。", None
|
|
|
|
| 74 |
|
| 75 |
+
api_url = DEFAULT_API_URL
|
| 76 |
+
agent = BasicAgent(api_url)
|
| 77 |
|
| 78 |
+
# ---- fetch questions ----
|
| 79 |
+
r = requests.get(f"{api_url}/questions", timeout=30)
|
| 80 |
r.raise_for_status()
|
| 81 |
+
questions = r.json()
|
|
|
|
|
|
|
| 82 |
|
| 83 |
+
answers = []
|
| 84 |
+
logs = []
|
| 85 |
skipped = 0
|
| 86 |
|
| 87 |
+
for item in questions:
|
| 88 |
task_id = item.get("task_id")
|
| 89 |
+
q = item.get("question", "")
|
| 90 |
+
|
| 91 |
+
if not task_id or not q:
|
| 92 |
continue
|
| 93 |
|
| 94 |
+
ans = agent.answer(q, item)
|
| 95 |
|
| 96 |
+
if not ans:
|
| 97 |
skipped += 1
|
| 98 |
+
logs.append({
|
| 99 |
+
"task_id": task_id,
|
| 100 |
+
"question": q,
|
| 101 |
+
"answer": "SKIPPED"
|
| 102 |
+
})
|
| 103 |
continue
|
| 104 |
|
| 105 |
+
answers.append({
|
| 106 |
+
"task_id": task_id,
|
| 107 |
+
"submitted_answer": ans
|
| 108 |
+
})
|
| 109 |
+
|
| 110 |
+
logs.append({
|
| 111 |
+
"task_id": task_id,
|
| 112 |
+
"question": q,
|
| 113 |
+
"answer": ans
|
| 114 |
+
})
|
| 115 |
|
| 116 |
+
if not answers:
|
| 117 |
+
return "⚠️ 全部題目都 SKIPPED,目前沒有可提交答案。", pd.DataFrame(logs)
|
| 118 |
|
| 119 |
+
payload = {
|
| 120 |
+
"username": username,
|
| 121 |
+
"agent_code": "basic-agent-no-model",
|
| 122 |
+
"answers": answers
|
| 123 |
+
}
|
| 124 |
|
| 125 |
+
r2 = requests.post(f"{api_url}/submit", json=payload, timeout=60)
|
| 126 |
r2.raise_for_status()
|
| 127 |
+
res = r2.json()
|
| 128 |
|
| 129 |
+
status = (
|
| 130 |
"✅ Submission Successful!\n"
|
| 131 |
+
f"User: {res.get('username')}\n"
|
| 132 |
+
f"Score: {res.get('score')}% "
|
| 133 |
+
f"({res.get('correct_count')}/{res.get('total_attempted')})\n"
|
| 134 |
+
f"Message: {res.get('message')}\n\n"
|
| 135 |
+
f"Local stats -> Submitted: {len(answers)}, Skipped: {skipped}"
|
| 136 |
)
|
| 137 |
|
| 138 |
+
return status, pd.DataFrame(logs)
|
| 139 |
|
| 140 |
except Exception as e:
|
| 141 |
tb = traceback.format_exc()
|
| 142 |
+
return f"❌ Runtime Error:\n{e}\n\n{tb}", None
|
| 143 |
|
| 144 |
+
# =============================
|
| 145 |
+
# UI
|
| 146 |
+
# =============================
|
|
|
|
| 147 |
with gr.Blocks() as demo:
|
| 148 |
gr.Markdown("# Basic Agent Evaluation Runner (No Paid Model)")
|
| 149 |
+
gr.Markdown("✅ Stable version – Login → Run → Submit")
|
| 150 |
|
| 151 |
+
gr.LoginButton()
|
| 152 |
+
run_btn = gr.Button("Run Evaluation & Submit All Answers")
|
| 153 |
|
| 154 |
+
status_box = gr.Textbox(
|
| 155 |
+
label="Run Status / Submission Result",
|
| 156 |
+
lines=12,
|
| 157 |
+
interactive=False
|
| 158 |
+
)
|
| 159 |
|
| 160 |
+
table = gr.DataFrame(label="Questions and Agent Answers")
|
|
|
|
|
|
|
| 161 |
|
| 162 |
+
# ⚠️ 不要傳 inputs,讓 Gradio 自動注入 profile / request
|
| 163 |
+
run_btn.click(
|
| 164 |
+
fn=run_and_submit_all,
|
| 165 |
+
outputs=[status_box, table]
|
| 166 |
+
)
|
| 167 |
|
| 168 |
if __name__ == "__main__":
|
| 169 |
demo.launch(server_name="0.0.0.0", server_port=7860, debug=True)
|