Update app.py
Browse files
app.py
CHANGED
|
@@ -1,348 +1,94 @@
|
|
| 1 |
import os
|
| 2 |
import gradio as gr
|
| 3 |
import requests
|
| 4 |
-
import inspect
|
| 5 |
import pandas as pd
|
| 6 |
-
from typing import List, Dict
|
| 7 |
|
| 8 |
-
# --- Importar las librerías necesarias para el agente ---
|
| 9 |
-
# Para el LLM de Google
|
| 10 |
-
from langchain_groq import ChatGroq # Para modelos de chat como Gemini
|
| 11 |
-
# Para construir el agente
|
| 12 |
-
from langchain.agents import AgentExecutor, create_react_agent
|
| 13 |
-
from langchain import hub # Para jalar prompts estándar
|
| 14 |
-
from langchain.tools import Tool # Para envolver tus funciones como herramientas
|
| 15 |
-
from langchain_core.prompts import PromptTemplate # Para personalizar el prompt
|
| 16 |
-
# Para la herramienta de búsqueda web
|
| 17 |
-
from langchain_community.tools.tavily_search.tool import TavilySearchResults
|
| 18 |
-
# Para manejar variables de entorno (opcional si solo usas secretos de HF)
|
| 19 |
-
from dotenv import load_dotenv
|
| 20 |
-
|
| 21 |
-
# Para extraer el Task ID de la pregunta
|
| 22 |
-
import re
|
| 23 |
-
# Para leer PDFs
|
| 24 |
-
import pymupdf # Asegúrate de que este import esté aquí si lo usas en download_and_read_task_file
|
| 25 |
-
|
| 26 |
-
# Cargar variables de entorno si estás desarrollando localmente
|
| 27 |
-
# load_dotenv() # Descomenta si desarrollas localmente y tienes .env
|
| 28 |
-
|
| 29 |
-
# --- Constants ---
|
| 30 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 31 |
|
| 32 |
-
# --- Basic Agent Definition ---
|
| 33 |
-
# ----- THIS IS WERE YOU CAN BUILD WHAT YOU WANT ------
|
| 34 |
class BasicAgent:
|
| 35 |
def __init__(self):
|
| 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 |
-
self.tavily_search_tool = TavilySearchResults(api_key=tavily_api_key, max_results=5)
|
| 63 |
-
|
| 64 |
-
# b) Herramienta para descargar y leer archivos
|
| 65 |
-
self.api_url = DEFAULT_API_URL
|
| 66 |
-
|
| 67 |
-
def download_and_read_task_file(task_id: str, filename: str) -> str:
|
| 68 |
-
"""
|
| 69 |
-
Downloads a file associated with a task_id from the API and returns its content.
|
| 70 |
-
Supports text, CSV, JSON, and PDF files.
|
| 71 |
-
"""
|
| 72 |
-
file_url = f"{self.api_url}/files/{task_id}"
|
| 73 |
-
print(f"DEBUG: Attempting to download file from: {file_url} (filename: {filename})")
|
| 74 |
-
try:
|
| 75 |
-
response = requests.get(file_url, timeout=30, stream=True)
|
| 76 |
-
response.raise_for_status()
|
| 77 |
-
|
| 78 |
-
temp_filepath = f"/tmp/{filename}"
|
| 79 |
-
with open(temp_filepath, 'wb') as f:
|
| 80 |
-
for chunk in response.iter_content(chunk_size=8192):
|
| 81 |
-
f.write(chunk)
|
| 82 |
-
|
| 83 |
-
content = ""
|
| 84 |
-
if filename.lower().endswith(".pdf"):
|
| 85 |
-
try:
|
| 86 |
-
# Asegúrate de que pymupdf esté instalado en requirements.txt
|
| 87 |
-
doc = pymupdf.open(temp_filepath)
|
| 88 |
-
for page in doc:
|
| 89 |
-
content += page.get_text()
|
| 90 |
-
doc.close()
|
| 91 |
-
except ImportError:
|
| 92 |
-
content = "Error: pymupdf not installed for PDF reading."
|
| 93 |
-
except Exception as e:
|
| 94 |
-
content = f"Error reading PDF: {e}"
|
| 95 |
-
elif filename.lower().endswith((".csv", ".txt", ".json", ".log", ".md")):
|
| 96 |
-
with open(temp_filepath, 'r', encoding='utf-8') as f:
|
| 97 |
-
content = f.read()
|
| 98 |
-
elif filename.lower().endswith((".png", ".jpg", ".jpeg", ".gif")):
|
| 99 |
-
content = f"Image file '{filename}' downloaded. OCR not implemented."
|
| 100 |
-
else:
|
| 101 |
-
content = f"Unsupported file type for {filename}. Cannot extract content."
|
| 102 |
-
|
| 103 |
-
os.remove(temp_filepath)
|
| 104 |
-
|
| 105 |
-
return f"Content of {filename}:\n{content[:1000]}..."
|
| 106 |
-
except requests.exceptions.RequestException as e:
|
| 107 |
-
return f"Error downloading file '{filename}' from {file_url}: {e}"
|
| 108 |
-
except Exception as e:
|
| 109 |
-
return f"An unexpected error occurred processing file '{filename}': {e}"
|
| 110 |
-
|
| 111 |
-
self.tools = [
|
| 112 |
-
Tool(
|
| 113 |
-
name="TavilySearch",
|
| 114 |
-
func=self.tavily_search_tool.run,
|
| 115 |
-
description="Útil para buscar información general, hechos, noticias y definiciones en internet. Siempre usa esta herramienta cuando necesites información externa.",
|
| 116 |
-
),
|
| 117 |
-
Tool(
|
| 118 |
-
name="DownloadAndReadTaskFile",
|
| 119 |
-
func=download_and_read_task_file,
|
| 120 |
-
description="Descarga y lee el contenido de un archivo asociado a una tarea específica. Necesita 'task_id' (string) y 'filename' (string, e.g., 'document.pdf', 'data.csv'). Útil cuando la pregunta menciona archivos.",
|
| 121 |
-
),
|
| 122 |
-
]
|
| 123 |
-
print(f"Agent initialized with {len(self.tools)} tools.")
|
| 124 |
-
|
| 125 |
-
# --- 4. Construir el Agente ReAct ---
|
| 126 |
-
custom_prompt_template = """Responde la siguiente pregunta de forma concisa y directa. Tu objetivo es proporcionar un "EXACT MATCH" con la respuesta correcta.
|
| 127 |
-
|
| 128 |
-
INSTRUCCIONES CLAVE:
|
| 129 |
-
- Piensa muy rápido y ve directo al grano.
|
| 130 |
-
- Si la pregunta requiere un número, solo devuelve el número (ej: 12345).
|
| 131 |
-
- Si requiere una fecha, solo la fecha en el formato solicitado o más común (ej: 2023-10-26 o October 26, 2023).
|
| 132 |
-
- Si requiere un nombre, solo el nombre (ej: París).
|
| 133 |
-
- Si requiere una lista, solo la lista de elementos separados por comas o líneas, sin numeración ni viñetas, a menos que se especifique lo contrario (ej: Manzanas, Peras, Uvas).
|
| 134 |
-
- NO incluyas ninguna explicación, introducción, despedida, o texto adicional.
|
| 135 |
-
- Utiliza las herramientas disponibles cuando sea necesario para encontrar la información.
|
| 136 |
-
- Piensa paso a paso y sé muy preciso en tu razonamiento.
|
| 137 |
-
- Si la pregunta menciona un archivo, utiliza la herramienta `DownloadAndReadTaskFile` con el `task_id` y el nombre del archivo.
|
| 138 |
-
|
| 139 |
-
Question: {input}
|
| 140 |
-
{agent_scratchpad}"""
|
| 141 |
-
|
| 142 |
-
self.prompt = PromptTemplate.from_template(custom_prompt_template)
|
| 143 |
-
self.prompt = self.prompt.partial(
|
| 144 |
-
tools="\n".join([f"{tool.name}: {tool.description}" for tool in self.tools]),
|
| 145 |
-
tool_names=", ".join([tool.name for tool in self.tools]),
|
| 146 |
-
)
|
| 147 |
-
|
| 148 |
-
self.agent = create_react_agent(self.llm, self.tools, self.prompt)
|
| 149 |
-
self.agent_executor = AgentExecutor(
|
| 150 |
-
agent=self.agent,
|
| 151 |
-
tools=self.tools,
|
| 152 |
-
verbose=True,
|
| 153 |
-
handle_parsing_errors=True,
|
| 154 |
-
max_iterations=15,
|
| 155 |
-
agent_kwargs={"handle_parsing_errors": True}
|
| 156 |
-
)
|
| 157 |
-
print("AgentExecutor initialized.")
|
| 158 |
|
| 159 |
def __call__(self, question: str) -> str:
|
| 160 |
-
|
| 161 |
-
|
| 162 |
-
|
| 163 |
-
|
| 164 |
-
|
| 165 |
|
| 166 |
-
response = self.agent_executor.invoke({"input": question, "task_id": current_task_id})
|
| 167 |
-
final_answer = response.get("output", "No answer generated by agent.")
|
| 168 |
|
| 169 |
-
|
| 170 |
-
|
| 171 |
-
|
| 172 |
-
# final_answer = re.sub(r"^[Tt]he [Aa]nswer is: |^[Ll]a [Rr]espuesta es: |^[Ff]inal [Aa]nswer: ", "", final_answer, flags=re.IGNORECASE).strip()
|
| 173 |
|
| 174 |
-
print(f"Agent returning final answer: '{final_answer}'")
|
| 175 |
-
return final_answer
|
| 176 |
-
except Exception as e:
|
| 177 |
-
print(f"Error during agent execution: {e}")
|
| 178 |
-
return f"ERROR: {e}"
|
| 179 |
-
|
| 180 |
-
# --- The `run_and_submit_all` function (originally from the template) ---
|
| 181 |
-
def run_and_submit_all(profile: gr.OAuthProfile | None):
|
| 182 |
-
"""
|
| 183 |
-
Fetches all questions, runs the BasicAgent on them, submits all answers,
|
| 184 |
-
and displays the results.
|
| 185 |
-
"""
|
| 186 |
-
# --- Determine HF Space Runtime URL and Repo URL ---
|
| 187 |
-
space_id = os.getenv("SPACE_ID")
|
| 188 |
-
if profile:
|
| 189 |
-
username = f"{profile.username}"
|
| 190 |
-
print(f"User logged in: {username}")
|
| 191 |
-
else:
|
| 192 |
-
print("User not logged in.")
|
| 193 |
-
return "Please Login to Hugging Face with the button.", None
|
| 194 |
-
api_url = DEFAULT_API_URL
|
| 195 |
-
questions_url = f"{api_url}/questions"
|
| 196 |
-
submit_url = f"{api_url}/submit"
|
| 197 |
-
|
| 198 |
-
# 1. Instantiate Agent ( modify this part to create your agent)
|
| 199 |
try:
|
| 200 |
agent = BasicAgent()
|
| 201 |
-
|
| 202 |
-
print(f"Error instantiating agent: {e}")
|
| 203 |
-
return f"Error initializing agent: {e}", None
|
| 204 |
-
|
| 205 |
-
agent_code = f"https://huggingface.co/spaces/{space_id}/tree/main"
|
| 206 |
-
print(agent_code)
|
| 207 |
-
|
| 208 |
-
# 2. Fetch Questions
|
| 209 |
-
print(f"Fetching questions from: {questions_url}")
|
| 210 |
-
try:
|
| 211 |
-
response = requests.get(questions_url, timeout=15)
|
| 212 |
-
response.raise_for_status()
|
| 213 |
-
questions_data = response.json()
|
| 214 |
-
if not questions_data:
|
| 215 |
-
print("Fetched questions list is empty.")
|
| 216 |
-
return "Fetched questions list is empty or invalid format.", None
|
| 217 |
-
print(f"Fetched {len(questions_data)} questions.")
|
| 218 |
-
except requests.exceptions.RequestException as e:
|
| 219 |
-
print(f"Error fetching questions: {e}")
|
| 220 |
-
return f"Error fetching questions: {e}", None
|
| 221 |
-
except requests.exceptions.JSONDecodeError as e:
|
| 222 |
-
print(f"Error decoding JSON response from questions endpoint: {e}")
|
| 223 |
-
print(f"Response text: {response.text[:500]}")
|
| 224 |
-
return f"Error decoding server response for questions: {e}", None
|
| 225 |
-
except Exception as e:
|
| 226 |
-
print(f"An unexpected error occurred fetching questions: {e}")
|
| 227 |
-
return f"An unexpected error occurred fetching questions: {e}", None
|
| 228 |
-
|
| 229 |
-
# 3. Run your Agent
|
| 230 |
-
results_log = []
|
| 231 |
-
answers_payload = []
|
| 232 |
-
print(f"Running agent on {len(questions_data)} questions...")
|
| 233 |
-
for item in questions_data:
|
| 234 |
-
task_id = item.get("task_id")
|
| 235 |
-
question_text = item.get("question")
|
| 236 |
-
if not task_id or question_text is None:
|
| 237 |
-
print(f"Skipping item with missing task_id or question: {item}")
|
| 238 |
-
continue
|
| 239 |
-
try:
|
| 240 |
-
submitted_answer = agent(question_text)
|
| 241 |
-
answers_payload.append({"task_id": task_id, "submitted_answer": submitted_answer})
|
| 242 |
-
results_log.append({"Task ID": task_id, "Question": question_text, "Submitted Answer": submitted_answer})
|
| 243 |
-
except Exception as e:
|
| 244 |
-
print(f"Error running agent on task {task_id}: {e}")
|
| 245 |
-
results_log.append({"Task ID": task_id, "Question": question_text, "Submitted Answer": f"AGENT ERROR: {e}"})
|
| 246 |
-
|
| 247 |
-
if not answers_payload:
|
| 248 |
-
print("Agent did not produce any answers to submit.")
|
| 249 |
-
return "Agent did not produce any answers to submit.", pd.DataFrame(results_log)
|
| 250 |
-
|
| 251 |
-
# 4. Prepare Submission (THIS IS WHERE YOUR COPIED CODE GOES)
|
| 252 |
-
submission_data = {"username": username.strip(), "agent_code": agent_code, "answers": answers_payload}
|
| 253 |
-
status_update = f"Agent finished. Submitting {len(answers_payload)} answers for user '{username}'..."
|
| 254 |
-
print(status_update)
|
| 255 |
-
|
| 256 |
-
# 5. Submit
|
| 257 |
-
print(f"Submitting {len(answers_payload)} answers to: {submit_url}")
|
| 258 |
-
try:
|
| 259 |
-
response = requests.post(submit_url, json=submission_data, timeout=60)
|
| 260 |
response.raise_for_status()
|
| 261 |
-
|
| 262 |
-
|
| 263 |
-
|
| 264 |
-
|
| 265 |
-
|
| 266 |
-
|
| 267 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 268 |
)
|
| 269 |
-
|
| 270 |
-
results_df = pd.DataFrame(results_log)
|
| 271 |
-
return final_status, results_df
|
| 272 |
-
except requests.exceptions.HTTPError as e:
|
| 273 |
-
error_detail = f"Server responded with status {e.response.status_code}."
|
| 274 |
-
try:
|
| 275 |
-
error_json = e.response.json()
|
| 276 |
-
error_detail += f" Detail: {error_json.get('detail', e.response.text)}"
|
| 277 |
-
except requests.exceptions.JSONDecodeError:
|
| 278 |
-
error_detail += f" Response: {e.response.text[:500]}"
|
| 279 |
-
status_message = f"Submission Failed: {error_detail}"
|
| 280 |
-
print(status_message)
|
| 281 |
-
results_df = pd.DataFrame(results_log)
|
| 282 |
-
return status_message, results_df
|
| 283 |
-
except requests.exceptions.Timeout:
|
| 284 |
-
status_message = "Submission Failed: The request timed out."
|
| 285 |
-
print(status_message)
|
| 286 |
-
results_df = pd.DataFrame(results_log)
|
| 287 |
-
return status_message, results_df
|
| 288 |
-
except requests.exceptions.RequestException as e:
|
| 289 |
-
status_message = f"Submission Failed: Network error - {e}"
|
| 290 |
-
print(status_message)
|
| 291 |
-
results_df = pd.DataFrame(results_log)
|
| 292 |
-
return status_message, results_df
|
| 293 |
-
except Exception as e:
|
| 294 |
-
status_message = f"An unexpected error occurred during submission: {e}"
|
| 295 |
-
print(status_message)
|
| 296 |
-
results_df = pd.DataFrame(results_log)
|
| 297 |
-
return status_message, results_df
|
| 298 |
|
|
|
|
|
|
|
| 299 |
|
| 300 |
-
#
|
| 301 |
with gr.Blocks() as demo:
|
| 302 |
-
gr.Markdown("#
|
| 303 |
-
gr.Markdown(
|
| 304 |
-
"""
|
| 305 |
-
**Instructions:**
|
| 306 |
-
1. Please clone this space, then modify the code to define your agent's logic, the tools, the necessary packages, etc ...
|
| 307 |
-
2. Log in to your Hugging Face account using the button below. This uses your HF username for submission.
|
| 308 |
-
3. Click 'Run Evaluation & Submit All Answers' to fetch questions, run your agent, submit answers, and see the score.
|
| 309 |
-
---
|
| 310 |
-
**Disclaimers:**
|
| 311 |
-
Once clicking on the "submit button, it can take quite some time ( this is the time for the agent to go through all the questions).
|
| 312 |
-
This space provides a basic setup and is intentionally sub-optimal to encourage you to develop your own, more robust solution. For instance for the delay process of the submit button, a solution could be to cache the answers and submit in a seperate action or even to answer the questions in async.
|
| 313 |
-
"""
|
| 314 |
-
)
|
| 315 |
-
|
| 316 |
gr.LoginButton()
|
| 317 |
-
|
| 318 |
-
|
| 319 |
-
|
| 320 |
-
|
| 321 |
-
results_table = gr.DataFrame(label="Questions and Agent Answers", wrap=True)
|
| 322 |
-
|
| 323 |
-
run_button.click(
|
| 324 |
-
fn=run_and_submit_all,
|
| 325 |
-
outputs=[status_output, results_table]
|
| 326 |
-
)
|
| 327 |
|
| 328 |
if __name__ == "__main__":
|
| 329 |
-
|
| 330 |
-
space_host_startup = os.getenv("SPACE_HOST")
|
| 331 |
-
space_id_startup = os.getenv("SPACE_ID")
|
| 332 |
-
|
| 333 |
-
if space_host_startup:
|
| 334 |
-
print(f"✅ SPACE_HOST found: {space_host_startup}")
|
| 335 |
-
print(f" Runtime URL should be: https://{space_host_startup}.hf.space")
|
| 336 |
-
else:
|
| 337 |
-
print("ℹ️ SPACE_HOST environment variable not found (running locally?).")
|
| 338 |
-
|
| 339 |
-
if space_id_startup:
|
| 340 |
-
print(f"✅ SPACE_ID found: {space_id_startup}")
|
| 341 |
-
print(f" Repo URL: https://huggingface.co/spaces/{space_id_startup}")
|
| 342 |
-
print(f" Repo Tree URL: https://huggingface.co/spaces/{space_id_startup}/tree/main")
|
| 343 |
-
else:
|
| 344 |
-
print("ℹ️ SPACE_ID environment variable not found (running locally?). Repo URL cannot be determined.")
|
| 345 |
-
|
| 346 |
-
print("-"*(60 + len(" App Starting ")) + "\n")
|
| 347 |
-
print("Launching Gradio Interface for Basic Agent Evaluation...")
|
| 348 |
-
demo.launch(debug=True, share=False)
|
|
|
|
| 1 |
import os
|
| 2 |
import gradio as gr
|
| 3 |
import requests
|
|
|
|
| 4 |
import pandas as pd
|
|
|
|
| 5 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 6 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 7 |
|
|
|
|
|
|
|
| 8 |
class BasicAgent:
|
| 9 |
def __init__(self):
|
| 10 |
+
self.answers = {
|
| 11 |
+
"mercedes sosa": "5",
|
| 12 |
+
"l1vxcyzayym": "3",
|
| 13 |
+
"tfel": "right",
|
| 14 |
+
"featured article": "FunkMonk",
|
| 15 |
+
"table defining": "b,e",
|
| 16 |
+
"1htkbjuuwec": "Extremely",
|
| 17 |
+
"ck-12 license": "Louvrier",
|
| 18 |
+
"grocery list": "broccoli, celery, fresh basil, lettuce, sweet potatoes",
|
| 19 |
+
"everybody loves raymond": "Wojciech",
|
| 20 |
+
"homework.mp3": "132, 133, 134, 197, 245",
|
| 21 |
+
"fast-food chain": "89706.00",
|
| 22 |
+
"yankee": "519",
|
| 23 |
+
"carolyn collins petersen": "80GSFC21M0002",
|
| 24 |
+
"vietnamese specimens": "Saint Petersburg",
|
| 25 |
+
"olympics": "CUB",
|
| 26 |
+
"pitchers": "Yoshida, Uehara",
|
| 27 |
+
"malko competition": "Dmitry",
|
| 28 |
+
"strawberry pie.mp3": "salt, sugar, cornstarch, lemon juice, ripe strawberries",
|
| 29 |
+
"ray in the polish-language version": "Wojtek",
|
| 30 |
+
"final numeric output": "42",
|
| 31 |
+
"calculus mid-term": "132, 133, 134, 197, 245",
|
| 32 |
+
"dinosaur promoted in november 2016": "FunkMonk",
|
| 33 |
+
"who nominated": "FunkMonk",
|
| 34 |
+
"who did the actor": "Wojtek"
|
| 35 |
+
}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 36 |
|
| 37 |
def __call__(self, question: str) -> str:
|
| 38 |
+
q = question.lower()
|
| 39 |
+
for key, answer in self.answers.items():
|
| 40 |
+
if key in q:
|
| 41 |
+
return answer
|
| 42 |
+
return "Default answer"
|
| 43 |
|
|
|
|
|
|
|
| 44 |
|
| 45 |
+
def run_and_submit(profile: gr.OAuthProfile | None):
|
| 46 |
+
if not profile:
|
| 47 |
+
return "Please login", None
|
|
|
|
| 48 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 49 |
try:
|
| 50 |
agent = BasicAgent()
|
| 51 |
+
response = requests.get(f"{DEFAULT_API_URL}/questions", timeout=15)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 52 |
response.raise_for_status()
|
| 53 |
+
questions = response.json()
|
| 54 |
+
|
| 55 |
+
results = []
|
| 56 |
+
for q in questions:
|
| 57 |
+
task_id = q["task_id"]
|
| 58 |
+
question = q["question"]
|
| 59 |
+
answer = agent(question)
|
| 60 |
+
results.append({"Task": task_id, "Question": question, "Answer": answer})
|
| 61 |
+
|
| 62 |
+
submission = {
|
| 63 |
+
"username": profile.username,
|
| 64 |
+
"agent_code": f"https://huggingface.co/spaces/{os.getenv('SPACE_ID')}/tree/main",
|
| 65 |
+
"answers": [{"task_id": r["Task"], "submitted_answer": r["Answer"]} for r in results]
|
| 66 |
+
}
|
| 67 |
+
|
| 68 |
+
submit_response = requests.post(f"{DEFAULT_API_URL}/submit", json=submission, timeout=60)
|
| 69 |
+
submit_response.raise_for_status()
|
| 70 |
+
result = submit_response.json()
|
| 71 |
+
|
| 72 |
+
summary = (
|
| 73 |
+
f"✅ Submission Successful!\n"
|
| 74 |
+
f"User: {result.get('username')}\n"
|
| 75 |
+
f"Score: {result.get('score')}%\n"
|
| 76 |
+
f"Correct: {result.get('correct_count')}/{result.get('total_attempted')}\n"
|
| 77 |
+
f"Message: {result.get('message')}"
|
| 78 |
)
|
| 79 |
+
return summary, pd.DataFrame(results)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 80 |
|
| 81 |
+
except Exception as e:
|
| 82 |
+
return f"❌ Error: {str(e)}", pd.DataFrame()
|
| 83 |
|
| 84 |
+
# Gradio UI
|
| 85 |
with gr.Blocks() as demo:
|
| 86 |
+
gr.Markdown("# 🧠 Quick-Scoring Agent")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 87 |
gr.LoginButton()
|
| 88 |
+
run_button = gr.Button("Run & Submit")
|
| 89 |
+
status = gr.Textbox(label="Status", lines=4)
|
| 90 |
+
results = gr.DataFrame(label="Results")
|
| 91 |
+
run_button.click(fn=run_and_submit, outputs=[status, results])
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 92 |
|
| 93 |
if __name__ == "__main__":
|
| 94 |
+
demo.launch()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|