Spaces:
Runtime error
Runtime error
File size: 14,468 Bytes
10e9b7d eccf8e4 3c4371f ceee7cf 2f798b2 10e9b7d e80aab9 3db6293 e80aab9 ceee7cf 33eedd4 ceee7cf 31243f4 ceee7cf 2f798b2 ceee7cf 2f798b2 ceee7cf 31243f4 ceee7cf 33eedd4 ceee7cf 4021bf3 33eedd4 2f798b2 33eedd4 2f798b2 33eedd4 2f798b2 33eedd4 2f798b2 33eedd4 ceee7cf 33eedd4 ceee7cf 33eedd4 ceee7cf 2f798b2 ceee7cf 31243f4 ceee7cf 31243f4 ceee7cf 3c4371f 7e4a06b ceee7cf 3c4371f 7e4a06b 3c4371f 7d65c66 3c4371f 7e4a06b 31243f4 e80aab9 31243f4 ceee7cf 31243f4 33eedd4 31243f4 3c4371f eccf8e4 ceee7cf e80aab9 33eedd4 31243f4 ceee7cf 31243f4 ceee7cf e80aab9 ceee7cf e80aab9 ceee7cf e80aab9 ceee7cf e80aab9 ceee7cf e80aab9 0ee0419 e514fd7 ceee7cf e514fd7 ceee7cf e514fd7 e80aab9 7e4a06b e80aab9 31243f4 e80aab9 9088b99 7d65c66 e80aab9 31243f4 e80aab9 3c4371f ceee7cf 7d65c66 3c4371f 7d65c66 3c4371f 7d65c66 ceee7cf 7d65c66 ceee7cf 3c4371f ceee7cf |
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 |
import os
import gradio as gr
import requests
import pandas as pd
from smolagents import OpenAIServerModel
from smolagents import CodeAgent, Tool, tool
from smolagents import DuckDuckGoSearchTool, VisitWebpageTool
from smolagents import PythonInterpreterTool
import time
from requests.exceptions import HTTPError
# --- Constants ---
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
# --- Tool Definitions ---
class GaiaFileTool(Tool):
"""
A smolagents.Tool subclass for downloading files from the GAIA API.
"""
name = "download_gaia_file"
description = "Downloads a file associated with a given GAIA task ID and returns its content. It takes 'task_id' as input and returns the file content as a string. Use this when a question refers to an external file."
inputs = {"task_id": {"type": "string", "description": "The task ID for which to download the file (e.g., '2345')."}}
output_type = "string"
def __init__(self, api_base_url=DEFAULT_API_URL):
super().__init__()
self.api_base_url = api_base_url
print(f"GaiaFileTool initialized with API base URL: {self.api_base_url}")
def forward(self, task_id: str) -> str:
"""
The core logic for the tool: downloads a file from the GAIA API.
This method is called by the agent when it uses this tool.
"""
file_url = f"{self.api_base_url}/files/{task_id}"
print(f"Attempting to download file from: {file_url}")
try:
response = requests.get(file_url)
response.raise_for_status()
print(f"Successfully downloaded file for task_id {task_id}")
return response.text
except requests.exceptions.RequestException as e:
print(f"Error downloading file for task_id {task_id}: {e}")
return f"Error downloading file: {e}"
# --- Custom GAIA Agent Definition ---
class GaiaAgent(CodeAgent):
"""
A smolagents-based agent designed to tackle GAIA Level 1 benchmark questions.
It uses Gemini Flash for reasoning and integrates a Python Interpreter, a
GAIA file download tool, and web browsing/searching tools.
"""
def __init__(self):
print("GaiaAgent initializing...")
gemini_api_key = os.getenv("GEMINI_API_KEY")
if not gemini_api_key:
print("WARNING: GEMINI_API_KEY environment variable not set.")
print("Please set GEMINI_API_KEY for Gemini Flash to work.")
self.llm_model = OpenAIServerModel(
model_id="gemini-2.0-flash",
api_base="https://generativelanguage.googleapis.com/v1beta/openai/",
api_key=gemini_api_key,
temperature=0.1,
)
# Initialize GAIA file tool
gaia_file_tool_instance = GaiaFileTool()
# Initialize web searching and browsing tools
duckduckgo_search_tool = DuckDuckGoSearchTool()
visit_webpage_tool = VisitWebpageTool()
# Initialize the built-in Python Interpreter Tool
python_interpreter_tool = PythonInterpreterTool()
# Define the tools available to the agent
agent_tools = [
python_interpreter_tool,
gaia_file_tool_instance,
duckduckgo_search_tool,
visit_webpage_tool
]
# Set verbosity_level directly to 2 for DEBUG logs
super().__init__(model=self.llm_model, tools=agent_tools, verbosity_level=2)
print("GaiaAgent initialized successfully with Gemini Flash and built-in tools.")
def __call__(self, question: str) -> str:
"""
The main method for the agent to process a question and return an answer.
This will involve the agent's internal reasoning, tool use, and planning.
Includes retry logic for LLM calls to handle rate limits.
"""
print(f"\n--- Agent received question (first 100 chars): {question[:100]}...")
prompt = (
f"You are an AI agent designed to solve GAIA benchmark questions. "
f"Your goal is to provide the exact answer as a string, without any additional text, "
f"explanation, or the phrase 'FINAL ANSWER:'. "
f"Break down the problem, use the available tools (python_interpreter, download_gaia_file, "
f"duckduckgo_search_tool, visit_webpage_tool) as needed, and think step-by-step. "
f"When using web search or webpage visit tools, be highly efficient. "
f"Formulate comprehensive search queries to get as much relevant information as possible in one go. "
f"Only visit a webpage if absolutely necessary and when you expect it to contain the direct answer or crucial data. "
f"Avoid redundant searches or visiting multiple pages for the same piece of information. "
f"Use 'python_interpreter' for any calculations or code execution. "
f"Use 'duckduckgo_search_tool' to find information on the web. "
f"Use 'visit_webpage_tool' to read the content of a specific URL. "
f"When you have the final answer, output ONLY the answer string.\n\n"
f"Question: {question}"
)
print(f"Agent running with prompt (first 200 chars): {prompt[:200]}...")
max_retries = 5
initial_retry_delay = 30
retry_delay = initial_retry_delay
result = None
for attempt in range(max_retries):
try:
result = self.run(prompt)
print(f"Agent raw output from self.run():\n{result}")
break # Break loop if successful
except HTTPError as e:
if e.response.status_code == 429:
error_details = ""
try:
error_json = e.response.json()
if 'error' in error_json and 'details' in error_json['error']:
for detail in error_json['error']['details']:
if detail.get('@type') == 'type.googleapis.com/google.rpc.QuotaFailure':
quota_metric = detail.get('quotaMetric', 'N/A')
quota_id = detail.get('quotaId', 'N/A')
quota_value = detail.get('quotaValue', 'N/A')
error_details = f"Quota Metric: {quota_metric}, Quota ID: {quota_id}, Value: {quota_value}. "
break
except Exception as parse_error:
print(f"Could not parse detailed error from 429 response: {parse_error}")
error_details = "Check Google Cloud Console for details. "
error_message = (
f"Gemini API Rate limit hit (429) on attempt {attempt + 1}/{max_retries}. "
f"{error_details}"
f"Retrying in {retry_delay} seconds... "
f"This could be due to the 15 RPM or 200 RPD free tier limits. "
f"If this persists, your daily quota might be exhausted."
)
print(error_message)
time.sleep(retry_delay)
retry_delay *= 2
else:
raise
except Exception as e:
import traceback
print(f"--- Error during agent execution on attempt {attempt + 1}/{max_retries}: {e}")
traceback.print_exc()
if attempt < max_retries - 1:
print(f"Retrying in {retry_delay} seconds...")
time.sleep(retry_delay)
retry_delay *= 2
else:
return "Agent encountered an error and could not provide an answer after multiple retries."
if result is None:
return "Agent failed after multiple retries due to an unknown error or persistent rate limits."
final_answer = self._extract_exact_answer(result)
print(f"--- Agent returning final answer (first 100 chars): {final_answer[:100]}...")
return final_answer
def _extract_exact_answer(self, raw_output: str) -> str:
"""
Extracts and formats the exact answer from the agent's raw output.
Ensures no "FINAL ANSWER" text is included and handles any
extraneous formatting. This function is crucial for GAIA's exact match scoring.
"""
print(f"Attempting to extract exact answer from raw output (first 200 chars):\n{raw_output[:200]}...")
cleaned_output = raw_output.replace("FINAL ANSWER:", "").strip()
cleaned_output = cleaned_output.replace("Answer:", "").strip()
cleaned_output = cleaned_output.replace("The answer is:", "").strip()
cleaned_output = cleaned_output.replace("```python", "").replace("```", "").strip()
lines = cleaned_output.split('\n')
if lines:
potential_answer = lines[-1].strip()
if len(potential_answer) < 5 or "tool_code" in potential_answer.lower():
for line in reversed(lines[:-1]):
if line.strip() and "tool_code" not in line.lower():
potential_answer = line.strip()
break
cleaned_output = potential_answer
if cleaned_output.startswith('"') and cleaned_output.endswith('"'):
cleaned_output = cleaned_output[1:-1]
if cleaned_output.startswith("'") and cleaned_output.endswith("'"):
cleaned_output = cleaned_output[1:-1]
print(f"Extracted and cleaned answer: {cleaned_output[:100]}...")
return cleaned_output.strip()
# --- Gradio Application Logic ---
def run_and_submit_all(profile: gr.OAuthProfile | None):
"""
Fetches all questions, runs the GaiaAgent on them, submits all answers,
and displays the results.
"""
space_id = os.getenv("SPACE_ID")
if profile:
username = f"{profile.username}"
print(f"User logged in: {username}")
else:
print("User not logged in.")
return "Please Login to Hugging Face with the button.", None
api_url = DEFAULT_API_URL
questions_url = f"{api_url}/questions"
submit_url = f"{api_url}/submit"
try:
agent = GaiaAgent()
except Exception as e:
print(f"Error during agent initialization in run_and_submit_all: {e}")
import traceback
traceback.print_exc()
return f"Error initializing agent: {e}", None
try:
print(f"Fetching questions from: {questions_url}")
questions_response = requests.get(questions_url)
questions_response.raise_for_status()
questions = questions_response.json()
print(f"Fetched {len(questions)} questions.")
except requests.exceptions.RequestException as e:
print(f"Error fetching questions: {e}")
return f"Error fetching questions: {e}", None
all_answers = []
results_data = []
for i, q_data in enumerate(questions):
task_id = q_data.get("task_id", f"unknown_{i}")
question_text = q_data.get("question", "No question text found.")
print(f"\n--- Processing Task ID: {task_id} ---")
print(f"Question: {question_text[:100]}...")
agent_answer = agent(question_text)
all_answers.append({"task_id": task_id, "answer": agent_answer})
results_data.append({
"Task ID": task_id,
"Question": question_text,
"Agent Answer": agent_answer
})
print(f"--- Finished processing Task ID: {task_id} ---")
try:
print(f"\nSubmitting {len(all_answers)} answers to: {submit_url}")
submission_payload = {
"username": username,
"code_link": f"https://huggingface.co/spaces/{space_id}/tree/main" if space_id else "local_execution",
"answers": all_answers
}
submit_response = requests.post(submit_url, json=submission_payload)
submit_response.raise_for_status()
submission_result = submit_response.json()
print(f"Submission successful: {submission_result}")
status_message = f"Submission successful!\nScore: {submission_result.get('score', 'N/A')}\nDetails: {submission_result.get('message', 'No message')}"
except requests.exceptions.RequestException as e:
print(f"Error submitting answers: {e}")
status_message = f"Error submitting answers: {e}"
results_df = pd.DataFrame(results_data)
return status_message, results_df
# --- Gradio UI ---
with gr.Blocks() as demo:
gr.Markdown(
"""
# GAIA Level 1 Agent Evaluation
This application allows you to run your `smolagents`-based agent on the GAIA Level 1 benchmark
and submit your answers to the leaderboard.
**Important:**
1. **Login to Hugging Face** using the button below to submit your score.
2. **Set `GEMINI_API_KEY`**: Ensure your `GEMINI_API_KEY` is set as a Space Secret
in Hugging Face Spaces (or as an environment variable if running locally)
for the Gemini Flash model to function.
"""
)
gr.LoginButton()
run_button = gr.Button("Run Evaluation & Submit All Answers")
status_output = gr.Textbox(label="Run Status / Submission Result", lines=5, interactive=False)
results_table = gr.DataFrame(label="Questions and Agent Answers", wrap=True)
run_button.click(
fn=run_and_submit_all,
outputs=[status_output, results_table]
)
if __name__ == "__main__":
print("\n" + "-"*30 + " App Starting " + "-"*30)
space_host_startup = os.getenv("SPACE_HOST")
space_id_startup = os.getenv("SPACE_ID")
if space_host_startup:
print(f"✅ SPACE_HOST found: {space_host_startup}")
print(f" Runtime URL should be: https://{space_host_startup}.hf.space")
else:
print("ℹ️ SPACE_HOST environment variable not found (running locally?).")
if space_id_startup:
print(f"✅ SPACE_ID found: {space_id_startup}")
print(f" Repo URL: https://huggingface.co/spaces/{space_id_startup}")
print(f" Repo Tree URL: https://huggingface.co/spaces/{space_id_startup}/tree/main")
else:
print("ℹ️ SPACE_ID environment variable not found. Code link might be incorrect for submission.")
demo.launch()
|