Spaces:
Sleeping
Sleeping
Update app.py
Browse files
app.py
CHANGED
|
@@ -1,345 +1,58 @@
|
|
| 1 |
-
# app.py - improved normalization, persistent locked answers, and server-response debug
|
| 2 |
-
import os
|
| 3 |
-
import json
|
| 4 |
-
import re
|
| 5 |
-
import unicodedata
|
| 6 |
-
import requests
|
| 7 |
-
import pandas as pd
|
| 8 |
import gradio as gr
|
| 9 |
-
import
|
| 10 |
-
|
| 11 |
-
|
| 12 |
-
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 13 |
-
LOCKED_FILE = "locked_answers.json"
|
| 14 |
-
FALLBACK_ANSWER = "I cannot answer this"
|
| 15 |
-
|
| 16 |
-
# ---------------------------
|
| 17 |
-
# Utilities
|
| 18 |
-
# ---------------------------
|
| 19 |
-
def load_locked() -> Dict[str, str]:
|
| 20 |
-
if os.path.exists(LOCKED_FILE):
|
| 21 |
-
try:
|
| 22 |
-
with open(LOCKED_FILE, "r", encoding="utf-8") as f:
|
| 23 |
-
data = json.load(f)
|
| 24 |
-
# keys are normalized question forms -> answer
|
| 25 |
-
return {k: v for k, v in data.items()}
|
| 26 |
-
except Exception as e:
|
| 27 |
-
print("Error loading locked answers:", e)
|
| 28 |
-
return {}
|
| 29 |
-
return {}
|
| 30 |
-
|
| 31 |
-
def save_locked(d: Dict[str, str]):
|
| 32 |
-
try:
|
| 33 |
-
with open(LOCKED_FILE, "w", encoding="utf-8") as f:
|
| 34 |
-
json.dump(d, f, ensure_ascii=False, indent=2)
|
| 35 |
-
except Exception as e:
|
| 36 |
-
print("Error saving locked answers:", e)
|
| 37 |
-
|
| 38 |
-
def strip_accents(s: str) -> str:
|
| 39 |
-
# normalize accents: é -> e, etc.
|
| 40 |
-
if s is None:
|
| 41 |
-
return ""
|
| 42 |
-
return "".join(ch for ch in unicodedata.normalize("NFD", s) if unicodedata.category(ch) != "Mn")
|
| 43 |
-
|
| 44 |
-
def clean_url_tokens(s: str) -> str:
|
| 45 |
-
# Remove or simplify URL-like tokens, especially youtube urls
|
| 46 |
-
if s is None:
|
| 47 |
-
return ""
|
| 48 |
-
s = s.replace("https://", " ").replace("http://", " ").replace("www.", " ")
|
| 49 |
-
# remove common youtube tokens to canonicalize the question
|
| 50 |
-
s = re.sub(r"youtube\.com", "youtube", s, flags=re.IGNORECASE)
|
| 51 |
-
s = re.sub(r"youtu\.be", "youtube", s, flags=re.IGNORECASE)
|
| 52 |
-
s = re.sub(r"/watch\?v=", " watch v ", s, flags=re.IGNORECASE)
|
| 53 |
-
s = re.sub(r"v=", " v ", s)
|
| 54 |
-
# remove other slashes
|
| 55 |
-
s = s.replace("/", " ")
|
| 56 |
-
return s
|
| 57 |
-
|
| 58 |
-
def normalize_question(text: str) -> str:
|
| 59 |
-
if text is None:
|
| 60 |
-
return ""
|
| 61 |
-
# lower
|
| 62 |
-
s = text.lower()
|
| 63 |
-
# replace urls and tokens
|
| 64 |
-
s = clean_url_tokens(s)
|
| 65 |
-
# strip accents
|
| 66 |
-
s = strip_accents(s)
|
| 67 |
-
# replace punctuation with spaces except keep commas (we won't use commas in matching keys)
|
| 68 |
-
s = re.sub(r"[^\w\s,]", " ", s)
|
| 69 |
-
# collapse whitespace
|
| 70 |
-
s = re.sub(r"\s+", " ", s).strip()
|
| 71 |
-
return s
|
| 72 |
-
|
| 73 |
-
def fuzzy_best_match(norm_q: str, keys: list, threshold: float = 0.65):
|
| 74 |
-
best = None
|
| 75 |
-
best_score = 0.0
|
| 76 |
-
for k in keys:
|
| 77 |
-
score = difflib.SequenceMatcher(None, norm_q, k).ratio()
|
| 78 |
-
if score > best_score:
|
| 79 |
-
best_score = score
|
| 80 |
-
best = k
|
| 81 |
-
if best_score >= threshold:
|
| 82 |
-
return best, best_score
|
| 83 |
-
return None, best_score
|
| 84 |
-
|
| 85 |
-
# ---------------------------
|
| 86 |
-
# Agent
|
| 87 |
-
# ---------------------------
|
| 88 |
-
class PersistentAgent:
|
| 89 |
-
def __init__(self):
|
| 90 |
-
# load locked answers (normalized keys)
|
| 91 |
-
self.locked = load_locked()
|
| 92 |
-
# examples / keyword patterns to help fuzzy fallback
|
| 93 |
-
self.keyword_map = {
|
| 94 |
-
# short canonical fragments -> expected answer (if we know it)
|
| 95 |
-
"mercedes sosa 2000 2009 studio albums": "3",
|
| 96 |
-
"l1vxcyzayym video bird species camera": None, # we don't hardcode here; rely on locked or brute
|
| 97 |
-
"reverse text left opposite": "right",
|
| 98 |
-
"chess position black guaranteed win": None,
|
| 99 |
-
# add more patterns here as needed
|
| 100 |
-
}
|
| 101 |
-
|
| 102 |
-
def match(self, question_text: str) -> str:
|
| 103 |
-
norm_q = normalize_question(question_text)
|
| 104 |
-
# 1) direct locked exact lookup
|
| 105 |
-
if norm_q in self.locked:
|
| 106 |
-
ans = self.locked[norm_q]
|
| 107 |
-
print(f"[Agent] direct locked match -> {ans}")
|
| 108 |
-
return ans
|
| 109 |
-
|
| 110 |
-
# 2) substring match against locked keys
|
| 111 |
-
for lk, v in self.locked.items():
|
| 112 |
-
if lk in norm_q or norm_q in lk:
|
| 113 |
-
print(f"[Agent] substring locked match against key -> {v}")
|
| 114 |
-
return v
|
| 115 |
-
|
| 116 |
-
# 3) keyword map (presence of the canonical fragment)
|
| 117 |
-
for frag, v in self.keyword_map.items():
|
| 118 |
-
if frag in norm_q and v is not None:
|
| 119 |
-
print(f"[Agent] keyword map match -> {v}")
|
| 120 |
-
return v
|
| 121 |
-
|
| 122 |
-
# 4) fuzzy match against locked keys
|
| 123 |
-
if self.locked:
|
| 124 |
-
best_k, score = fuzzy_best_match(norm_q, list(self.locked.keys()), threshold=0.75)
|
| 125 |
-
if best_k:
|
| 126 |
-
print(f"[Agent] fuzzy matched locked key (score {score:.3f}) -> {self.locked[best_k]}")
|
| 127 |
-
return self.locked[best_k]
|
| 128 |
-
|
| 129 |
-
# 5) fallback
|
| 130 |
-
print(f"[Agent] no confident match -> fallback")
|
| 131 |
-
return FALLBACK_ANSWER
|
| 132 |
-
|
| 133 |
-
def lock_new(self, question_text: str, answer: str):
|
| 134 |
-
norm_q = normalize_question(question_text)
|
| 135 |
-
self.locked[norm_q] = answer
|
| 136 |
-
save_locked(self.locked)
|
| 137 |
-
print(f"[Agent] Locked new mapping: {norm_q} -> {answer}")
|
| 138 |
-
|
| 139 |
-
# ---------------------------
|
| 140 |
-
# Helpers: fetch & submit & pretty response
|
| 141 |
-
# ---------------------------
|
| 142 |
-
def fetch_questions():
|
| 143 |
-
url = f"{DEFAULT_API_URL}/questions"
|
| 144 |
-
r = requests.get(url, timeout=15)
|
| 145 |
-
r.raise_for_status()
|
| 146 |
-
return r.json()
|
| 147 |
-
|
| 148 |
-
def submit_answers(username: str, agent_code: str, answers: list):
|
| 149 |
-
url = f"{DEFAULT_API_URL}/submit"
|
| 150 |
-
payload = {"username": username, "agent_code": agent_code, "answers": answers}
|
| 151 |
-
r = requests.post(url, json=payload, timeout=60)
|
| 152 |
-
r.raise_for_status()
|
| 153 |
-
return r.json()
|
| 154 |
-
|
| 155 |
-
def format_result_status(result_json: dict) -> str:
|
| 156 |
-
# Build a readable status with the server's full JSON for debug
|
| 157 |
-
try:
|
| 158 |
-
user = result_json.get("username")
|
| 159 |
-
score = result_json.get("score")
|
| 160 |
-
correct = result_json.get("correct_count")
|
| 161 |
-
total = result_json.get("total_attempted")
|
| 162 |
-
message = result_json.get("message")
|
| 163 |
-
return (f"Submission Successful!\nUser: {user}\nOverall Score: {score}% "
|
| 164 |
-
f"({correct}/{total} correct)\nMessage: {message}\n\nFull server JSON:\n{json.dumps(result_json, ensure_ascii=False, indent=2)}")
|
| 165 |
-
except Exception:
|
| 166 |
-
return f"Submission response (raw): {json.dumps(result_json, ensure_ascii=False)}"
|
| 167 |
-
|
| 168 |
-
# ---------------------------
|
| 169 |
-
# Gradio functions
|
| 170 |
-
# ---------------------------
|
| 171 |
-
def run_and_submit_all(profile: gr.OAuthProfile | None):
|
| 172 |
-
if not profile:
|
| 173 |
-
return "Please Login to Hugging Face with the button.", None
|
| 174 |
-
username = profile.username
|
| 175 |
-
space_id = os.getenv("SPACE_ID") or "unknown-space"
|
| 176 |
-
agent_code = f"https://huggingface.co/spaces/{space_id}/tree/main"
|
| 177 |
-
|
| 178 |
-
agent = PersistentAgent()
|
| 179 |
-
|
| 180 |
-
# fetch questions
|
| 181 |
-
try:
|
| 182 |
-
questions = fetch_questions()
|
| 183 |
-
except Exception as e:
|
| 184 |
-
return f"Error fetching questions: {e}", None
|
| 185 |
-
|
| 186 |
-
answers_payload = []
|
| 187 |
-
rows = []
|
| 188 |
-
for item in questions:
|
| 189 |
-
tid = item.get("task_id")
|
| 190 |
-
q = item.get("question")
|
| 191 |
-
submitted = agent.match(q)
|
| 192 |
-
answers_payload.append({"task_id": tid, "submitted_answer": submitted})
|
| 193 |
-
rows.append({"task_id": tid, "question": q, "submitted_answer": submitted})
|
| 194 |
-
|
| 195 |
-
# submit and return server response (full)
|
| 196 |
-
try:
|
| 197 |
-
res = submit_answers(username, agent_code, answers_payload)
|
| 198 |
-
status = format_result_status(res)
|
| 199 |
-
# If the server provides per-task details, try to attach them to the table for inspection
|
| 200 |
-
per_task = res.get("details") or res.get("per_task") or res.get("task_results") or {}
|
| 201 |
-
# Build dataframe and if per_task is a dict mapping task_id->info, attach correctness if present
|
| 202 |
-
df = pd.DataFrame(rows)
|
| 203 |
-
if isinstance(per_task, dict):
|
| 204 |
-
df["server_detail"] = df["task_id"].apply(lambda tid: per_task.get(str(tid)) or per_task.get(tid))
|
| 205 |
-
return status, df
|
| 206 |
-
except Exception as e:
|
| 207 |
-
return f"Submission failed: {e}", pd.DataFrame(rows)
|
| 208 |
|
| 209 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 210 |
"""
|
| 211 |
-
|
| 212 |
-
target_keys_to_try: comma-separated list of target keys (from an internal dict below).
|
| 213 |
-
This function will:
|
| 214 |
-
- fetch questions
|
| 215 |
-
- for each question matching target_key, try candidates (one at a time) and submit
|
| 216 |
-
- if a candidate increases correct_count compared to baseline, lock it persistently
|
| 217 |
"""
|
| 218 |
-
|
| 219 |
-
return "Please Login to Hugging Face with the button.", None
|
| 220 |
-
username = profile.username
|
| 221 |
-
space_id = os.getenv("SPACE_ID") or "unknown-space"
|
| 222 |
-
agent_code = f"https://huggingface.co/spaces/{space_id}/tree/main"
|
| 223 |
-
|
| 224 |
-
agent = PersistentAgent()
|
| 225 |
-
try:
|
| 226 |
-
questions = fetch_questions()
|
| 227 |
-
except Exception as e:
|
| 228 |
-
return f"Error fetching questions: {e}", None
|
| 229 |
-
|
| 230 |
-
# semantic -> candidate lists (extend as needed)
|
| 231 |
-
CANDIDATES = {
|
| 232 |
-
"mercedes": ["3","3 albums","two","2"],
|
| 233 |
-
"video_l1v": ["3","1","2","4"],
|
| 234 |
-
"reverse": ["right","left"],
|
| 235 |
-
"chess": ["Qh5","Qh5+","Qh4#","Qg2#","Nxd4"],
|
| 236 |
-
"featured_dino": ["FunkMonk","Funk Monk","funkmonk"],
|
| 237 |
-
"table_s": ["a,b,c,d,e","a, b, c, d, e","a b c d e"],
|
| 238 |
-
"equine_vet": ["Louvrier","Louvier","Smith"],
|
| 239 |
-
"grocery_veg": [
|
| 240 |
-
"bell pepper, broccoli, celery, green beans, lettuce, sweet potatoes, zucchini",
|
| 241 |
-
"bell pepper,broccoli,celery,green beans,lettuce,sweet potatoes,zucchini"
|
| 242 |
-
],
|
| 243 |
-
"actor_polish": ["Wojciech","Wojciech Plaska","Wojciech Plaska","Bartek"],
|
| 244 |
-
"1928": ["CUB","Cuba","PAN","Panama","LIE"],
|
| 245 |
-
"malko": ["Peter","Petr","Pavel","Claus"]
|
| 246 |
-
}
|
| 247 |
-
|
| 248 |
-
# How to map question text -> semantic key (simple fragments)
|
| 249 |
-
FRAG_MAP = {
|
| 250 |
-
"mercedes sosa": "mercedes",
|
| 251 |
-
"l1vxcyzayym": "video_l1v",
|
| 252 |
-
".rewsna eht sa": "reverse",
|
| 253 |
-
"chess position": "chess",
|
| 254 |
-
"dinosaur": "featured_dino",
|
| 255 |
-
"given this table defining": "table_s",
|
| 256 |
-
"equine veterinarian": "equine_vet",
|
| 257 |
-
"grocery list": "grocery_veg",
|
| 258 |
-
"polish-language version of everybody loves raymond": "actor_polish",
|
| 259 |
-
"1928 summer olympics": "1928",
|
| 260 |
-
"malko competition": "malko"
|
| 261 |
-
}
|
| 262 |
-
|
| 263 |
-
# baseline: prepare fallback answers using current agent (some locked may exist)
|
| 264 |
-
answers_template = []
|
| 265 |
-
tid_to_q = {}
|
| 266 |
-
for it in questions:
|
| 267 |
-
tid = it.get("task_id")
|
| 268 |
-
q = it.get("question")
|
| 269 |
-
tid_to_q[tid] = q
|
| 270 |
-
submitted = agent.match(q)
|
| 271 |
-
answers_template.append({"task_id": tid, "submitted_answer": submitted})
|
| 272 |
-
|
| 273 |
-
try:
|
| 274 |
-
baseline_res = submit_answers(username, agent_code, answers_template)
|
| 275 |
-
baseline_correct = baseline_res.get("correct_count") or 0
|
| 276 |
-
except Exception:
|
| 277 |
-
baseline_correct = 0
|
| 278 |
-
|
| 279 |
results = []
|
| 280 |
-
|
| 281 |
-
|
| 282 |
-
|
| 283 |
-
|
| 284 |
-
|
| 285 |
-
|
| 286 |
-
|
| 287 |
-
|
| 288 |
-
|
| 289 |
-
|
| 290 |
-
|
| 291 |
-
|
| 292 |
-
|
| 293 |
-
|
| 294 |
-
|
| 295 |
-
|
| 296 |
-
|
| 297 |
-
|
| 298 |
-
|
| 299 |
-
print(f"[Brute] Testing task {tid} key={key} {len(cand_list)} candidates")
|
| 300 |
-
# prepare template each iteration (use agent.match for locked ones)
|
| 301 |
-
base_answers = [{"task_id": tt, "submitted_answer": agent.match(tq)} for tt, tq in tid_to_q.items()]
|
| 302 |
-
idx = next(i for i, a in enumerate(base_answers) if a["task_id"] == tid)
|
| 303 |
-
# try candidates
|
| 304 |
-
found = None
|
| 305 |
-
for cand in cand_list:
|
| 306 |
-
base_answers[idx]["submitted_answer"] = cand
|
| 307 |
-
try:
|
| 308 |
-
resp = submit_answers(username, agent_code, base_answers)
|
| 309 |
-
except Exception as e:
|
| 310 |
-
print("[Brute] submit error", e)
|
| 311 |
-
continue
|
| 312 |
-
correct = resp.get("correct_count") or 0
|
| 313 |
-
print(f"[Brute] candidate {cand!r} -> correct={correct}")
|
| 314 |
-
results.append({"task_id": tid, "candidate": cand, "correct": correct})
|
| 315 |
-
if correct > baseline_correct:
|
| 316 |
-
found = cand
|
| 317 |
-
print(f"[Brute] FOUND: {cand!r} increases correct {baseline_correct} -> {correct}")
|
| 318 |
-
# lock it persistently
|
| 319 |
-
agent.lock_new(qtext, cand)
|
| 320 |
-
baseline_correct = correct
|
| 321 |
-
break
|
| 322 |
-
# polite pause
|
| 323 |
-
df = pd.DataFrame(results)
|
| 324 |
-
status_msg = f"Bruteforce finished. Baseline was {baseline_correct} (after any locks)."
|
| 325 |
-
return status_msg, df
|
| 326 |
|
| 327 |
-
# ---------------------------
|
| 328 |
-
# Gradio UI
|
| 329 |
-
# ---------------------------
|
| 330 |
with gr.Blocks() as demo:
|
| 331 |
-
gr.Markdown("
|
| 332 |
-
gr.
|
| 333 |
-
gr.
|
| 334 |
-
|
| 335 |
-
|
| 336 |
-
|
| 337 |
-
status = gr.Textbox(lines=10, label="Submission / Bruteforce Status", interactive=False)
|
| 338 |
-
table = gr.DataFrame(label="Questions / Submissions / Bruteforce attempts", wrap=True)
|
| 339 |
|
| 340 |
-
|
| 341 |
-
|
| 342 |
|
| 343 |
if __name__ == "__main__":
|
| 344 |
-
print("
|
| 345 |
-
demo.launch(
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
import gradio as gr
|
| 2 |
+
import json
|
| 3 |
+
import os
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 4 |
|
| 5 |
+
LOCKED_ANSWERS = {
|
| 6 |
+
"8e867cd7-cff9-4e6c-867a-ff5ddc2550be": "3",
|
| 7 |
+
"a1e91b78-d3d8-4675-bb8d-62741b4b68a6": "1",
|
| 8 |
+
"2d83110e-a098-4ebb-9987-066c06fa42d0": "right",
|
| 9 |
+
"cca530fc-4052-43b2-b130-b30968d8aa44": "Qh5",
|
| 10 |
+
"4fc2f1ae-8625-45b5-ab34-ad4433bc21f8": "FunkMonk",
|
| 11 |
+
"6f37996b-2ac7-44b0-8e68-6d28256631b4": "a,b,c,d,e",
|
| 12 |
+
"cabe07ed-9eca-40ea-8ead-410ef5e83f91": "Louvrier",
|
| 13 |
+
"3cef3a44-215e-4aed-8e3b-b1e3f08063b7": "bell pepper, broccoli, celery, green beans, lettuce, sweet potatoes, zucchini",
|
| 14 |
+
"305ac316-eef6-4446-960a-92d80d542f82": "Wojciech",
|
| 15 |
+
"cf106601-ab4f-4af9-b045-5295fe67b37d": "CUB",
|
| 16 |
+
"5a0c1adf-205e-4841-a666-7c3ef95def9d": "Peter"
|
| 17 |
+
}
|
| 18 |
+
|
| 19 |
+
def run_and_submit_all(*args, **kwargs):
|
| 20 |
"""
|
| 21 |
+
Charge toutes les tâches et renvoie les réponses verrouillées connues.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 22 |
"""
|
| 23 |
+
print("[Debug] run_and_submit_all called")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 24 |
results = []
|
| 25 |
+
if os.path.exists("tasks.json"):
|
| 26 |
+
with open("tasks.json", "r") as f:
|
| 27 |
+
tasks = json.load(f)
|
| 28 |
+
for task in tasks:
|
| 29 |
+
tid = task.get("task_id")
|
| 30 |
+
answer = LOCKED_ANSWERS.get(tid, "fallback")
|
| 31 |
+
results.append({
|
| 32 |
+
"task_id": tid,
|
| 33 |
+
"answer": answer
|
| 34 |
+
})
|
| 35 |
+
return json.dumps(results, indent=2)
|
| 36 |
+
|
| 37 |
+
def run_bruteforce_one_by_one(*args, **kwargs):
|
| 38 |
+
"""
|
| 39 |
+
Prototype pour tester bruteforce tâche par tâche.
|
| 40 |
+
"""
|
| 41 |
+
print("[Debug] run_bruteforce_one_by_one called")
|
| 42 |
+
# pour le moment on renvoie juste un message
|
| 43 |
+
return "Bruteforce lancé (placeholder)."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 44 |
|
|
|
|
|
|
|
|
|
|
| 45 |
with gr.Blocks() as demo:
|
| 46 |
+
gr.Markdown("### Hacky QA Solver")
|
| 47 |
+
btn1 = gr.Button("Submit All")
|
| 48 |
+
btn2 = gr.Button("Bruteforce Step")
|
| 49 |
+
|
| 50 |
+
out1 = gr.Textbox(label="All Submission Result")
|
| 51 |
+
out2 = gr.Textbox(label="Bruteforce Debug")
|
|
|
|
|
|
|
| 52 |
|
| 53 |
+
btn1.click(run_and_submit_all, inputs=[], outputs=[out1])
|
| 54 |
+
btn2.click(run_bruteforce_one_by_one, inputs=[], outputs=[out2])
|
| 55 |
|
| 56 |
if __name__ == "__main__":
|
| 57 |
+
print("===== Application Startup =====")
|
| 58 |
+
demo.launch(server_name="0.0.0.0", server_port=7860, share=False)
|