Spaces:
Configuration error
Configuration error
File size: 6,311 Bytes
10e9b7d 113f5f4 10e9b7d eccf8e4 3c4371f 113f5f4 10e9b7d e80aab9 113f5f4 e80aab9 113f5f4 4021bf3 113f5f4 31243f4 113f5f4 31243f4 113f5f4 3c4371f 113f5f4 3c4371f 113f5f4 e80aab9 113f5f4 31243f4 113f5f4 31243f4 113f5f4 36ed51a 113f5f4 3c4371f 113f5f4 eccf8e4 113f5f4 7d65c66 113f5f4 31243f4 113f5f4 31243f4 113f5f4 e80aab9 113f5f4 e80aab9 113f5f4 e80aab9 113f5f4 e80aab9 113f5f4 7d65c66 113f5f4 e80aab9 113f5f4 e80aab9 113f5f4 7e4a06b 113f5f4 e80aab9 113f5f4 |
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 |
import os
import logging
import gradio as gr
import requests
import pandas as pd
import openai
from openai import OpenAI
from smolagents import CodeAgent, DuckDuckGoSearchTool, tool
from smolagents.models import OpenAIServerModel
# --- Logging ---
logging.basicConfig(level=logging.INFO, format="%(asctime)s %(levelname)s %(message)s")
logger = logging.getLogger(__name__)
# --- Constants ---
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
OPENAI_MODEL_ID = os.getenv("OPENAI_MODEL_ID", "gpt-4.1")
OPENAI_API_KEY = os.getenv("OPENAI_API_KEY")
if not OPENAI_API_KEY:
raise RuntimeError("Please set OPENAI_API_KEY in your Space secrets.")
# --- Configure OpenAI SDK (for tools if needed) ---
openai.api_key = "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"
client = OpenAI()
# --- Tools ---
@tool
def summarize_query(query: str) -> str:
"""
Reframes an unclear search query to improve relevance.
Args:
query (str): The original search query.
Returns:
str: A concise, improved version.
"""
return f"Summarize and reframe: {query}"
@tool
def wikipedia_search(page: str) -> str:
"""
Fetches the summary extract of an English Wikipedia page.
Args:
page (str): e.g. 'Mercedes_Sosa_discography'
Returns:
str: The page’s extract text.
"""
try:
url = f"https://en.wikipedia.org/api/rest_v1/page/summary/{page}"
r = requests.get(url, timeout=10)
r.raise_for_status()
return r.json().get("extract", "")
except Exception as e:
logger.exception("Wikipedia lookup failed")
return f"Wikipedia error: {e}"
search_tool = DuckDuckGoSearchTool()
wiki_tool = wikipedia_search
summarize_tool = summarize_query
# --- ReACT Prompt ---
instruction_prompt = """
You are a ReACT agent with three tools:
• DuckDuckGoSearchTool(query: str)
• wikipedia_search(page: str)
• summarize_query(query: str)
Internally, for each question:
1. Thought: decide which tool to call.
2. Action: call the chosen tool.
3. Observation: record the result.
4. If empty/irrelevant:
Thought: retry with summarize_query + DuckDuckGoSearchTool.
Record new Observation.
5. Thought: integrate observations.
Finally, output your answer with the following template:
FINAL ANSWER: [YOUR FINAL ANSWER].
YOUR FINAL ANSWER should be a number OR as few words as possible OR a comma separated list of numbers and/or strings.
If you are asked for a number, don't use comma to write your number neither use units such as $ or percent sign unless specified otherwise.
If you are asked for a string, don't use articles, neither abbreviations (e.g. for cities), and write the digits in plain text unless specified otherwise.
If you are asked for a comma separated list, apply the above rules depending of whether the element to be put in the list is a number or a string.
"""
# --- Build the Agent with OpenAIServerModel ---
model = OpenAIServerModel(
model_id=OPENAI_MODEL_ID,
api_key=OPENAI_API_KEY
)
smart_agent = CodeAgent(
tools=[search_tool, wiki_tool, summarize_tool],
model=model
)
# --- Gradio Wrapper ---
class BasicAgent:
def __init__(self):
logger.info("Initialized SmolAgent with OpenAI GPT-4.1")
def __call__(self, question: str) -> str:
if not question.strip():
return "AGENT ERROR: empty question"
prompt = instruction_prompt.strip() + "\n\nQUESTION: " + question.strip()
try:
return smart_agent.run(prompt)
except Exception as e:
logger.exception("Agent run error")
return f"AGENT ERROR: {e}"
# --- Submission Logic ---
def run_and_submit_all(profile: gr.OAuthProfile | None):
if not profile:
return "Please log in to Hugging Face.", None
username = profile.username
space_id = os.getenv("SPACE_ID", "")
agent_code = f"https://huggingface.co./spaces/{space_id}/tree/main"
agent = BasicAgent()
# fetch
try:
resp = requests.get(f"{DEFAULT_API_URL}/questions", timeout=15)
resp.raise_for_status()
questions = resp.json() or []
except Exception as e:
logger.exception("Failed fetch")
return f"Error fetching questions: {e}", None
logs, payload = [], []
for item in questions:
tid = item.get("task_id")
q = item.get("question")
if not tid or not q:
continue
ans = agent(q)
logs.append({"Task ID": tid, "Question": q, "Submitted Answer": ans})
payload.append({"task_id": tid, "submitted_answer": ans})
if not payload:
return "Agent did not produce any answers.", pd.DataFrame(logs)
# submit
try:
post = requests.post(
f"{DEFAULT_API_URL}/submit",
json={"username": username, "agent_code": agent_code, "answers": payload},
timeout=60
)
post.raise_for_status()
result = post.json()
status = (
f"Submission Successful!\n"
f"User: {result.get('username')}\n"
f"Score: {result.get('score','N/A')}%\n"
f"({result.get('correct_count','?')}/"
f"{result.get('total_attempted','?')})\n"
f"Message: {result.get('message','')}"
)
return status, pd.DataFrame(logs)
except Exception as e:
logger.exception("Submit failed")
return f"Submission Failed: {e}", pd.DataFrame(logs)
# --- Gradio App ---
with gr.Blocks() as demo:
gr.Markdown("# SmolAgent GAIA Runner 🚀")
gr.Markdown("""
**Instructions:**
1. Clone this space.
2. In Settings → Secrets, add `OPENAI_API_KEY` and (optionally) `OPENAI_MODEL_ID`.
3. Log in to Hugging Face.
4. Click **Run Evaluation & Submit All Answers**.
""")
gr.LoginButton()
btn = gr.Button("Run Evaluation & Submit All Answers")
out_status = gr.Textbox(label="Status", lines=5, interactive=False)
out_table = gr.DataFrame(label="Questions & Answers", wrap=True)
btn.click(run_and_submit_all, outputs=[out_status, out_table])
if __name__ == "__main__":
demo.launch(debug=True, share=False)
|