Spaces:
Sleeping
Sleeping
Update agent.py
Browse files
agent.py
CHANGED
|
@@ -85,255 +85,7 @@ def GoogleSearchTool(query: str) -> str:
|
|
| 85 |
#
|
| 86 |
# return f"The image description: '{response}'"
|
| 87 |
|
| 88 |
-
class VisitWebpageTool(Tool):
|
| 89 |
-
name = "visit_webpage"
|
| 90 |
-
description = "Visits a webpage at the given url and reads its content as a markdown string. Use this to browse webpages."
|
| 91 |
-
inputs = {'url': {'type': 'string', 'description': 'The url of the webpage to visit.'}}
|
| 92 |
-
output_type = "string"
|
| 93 |
|
| 94 |
-
def forward(self, url: str) -> str:
|
| 95 |
-
try:
|
| 96 |
-
response = requests.get(url, timeout=20)
|
| 97 |
-
response.raise_for_status()
|
| 98 |
-
markdown_content = markdownify(response.text).strip()
|
| 99 |
-
markdown_content = re.sub(r"\n{3,}", "\n\n", markdown_content)
|
| 100 |
-
from smolagents.utils import truncate_content
|
| 101 |
-
return truncate_content(markdown_content, 10000)
|
| 102 |
-
except requests.exceptions.Timeout:
|
| 103 |
-
return "The request timed out. Please try again later or check the URL."
|
| 104 |
-
except requests.exceptions.RequestException as e:
|
| 105 |
-
return f"Error fetching the webpage: {str(e)}"
|
| 106 |
-
except Exception as e:
|
| 107 |
-
return f"An unexpected error occurred: {str(e)}"
|
| 108 |
-
|
| 109 |
-
def __init__(self, *args, **kwargs):
|
| 110 |
-
self.is_initialized = False
|
| 111 |
-
|
| 112 |
-
class DownloadTaskAttachmentTool(Tool):
|
| 113 |
-
name = "download_file"
|
| 114 |
-
description = "Downloads the file attached to the task ID and returns the local file path. Supports Excel (.xlsx), image (.png, .jpg), audio (.mp3), PDF (.pdf), and Python (.py) files."
|
| 115 |
-
inputs = {'task_id': {'type': 'string', 'description': 'The task id to download attachment from.'}}
|
| 116 |
-
output_type = "string"
|
| 117 |
-
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 118 |
-
|
| 119 |
-
def __init__(self, rate_limiter: Optional[Limiter] = None, default_api_url: str = DEFAULT_API_URL, *args, **kwargs):
|
| 120 |
-
self.is_initialized = False
|
| 121 |
-
self.rate_limiter = rate_limiter
|
| 122 |
-
self.default_api_url = default_api_url
|
| 123 |
-
|
| 124 |
-
def forward(self, task_id: str) -> str:
|
| 125 |
-
file_url = f"{self.default_api_url}/files/{task_id}"
|
| 126 |
-
print(f"Downloading file for task ID {task_id} from {file_url}...")
|
| 127 |
-
try:
|
| 128 |
-
if self.rate_limiter:
|
| 129 |
-
while not self.rate_limiter.consume(1):
|
| 130 |
-
print(f"Rate limit reached for downloading file for task {task_id}. Waiting...")
|
| 131 |
-
time.sleep(60 / 15) # Assuming 15 RPM
|
| 132 |
-
response = requests.get(file_url, stream=True, timeout=15)
|
| 133 |
-
response.raise_for_status()
|
| 134 |
-
|
| 135 |
-
# Determine file extension based on Content-Type
|
| 136 |
-
content_type = response.headers.get('Content-Type', '').lower()
|
| 137 |
-
if 'image/png' in content_type:
|
| 138 |
-
extension = '.png'
|
| 139 |
-
elif 'image/jpeg' in content_type:
|
| 140 |
-
extension = '.jpg'
|
| 141 |
-
elif 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet' in content_type:
|
| 142 |
-
extension = '.xlsx'
|
| 143 |
-
elif 'audio/mpeg' in content_type:
|
| 144 |
-
extension = '.mp3'
|
| 145 |
-
elif 'application/pdf' in content_type:
|
| 146 |
-
extension = '.pdf'
|
| 147 |
-
elif 'text/x-python' in content_type:
|
| 148 |
-
extension = '.py'
|
| 149 |
-
else:
|
| 150 |
-
return f"Error: Unsupported file type {content_type} for task {task_id}. Try using visit_webpage or web_search if the content is online."
|
| 151 |
-
|
| 152 |
-
local_file_path = f"downloads/{task_id}{extension}"
|
| 153 |
-
os.makedirs("downloads", exist_ok=True)
|
| 154 |
-
with open(local_file_path, "wb") as file:
|
| 155 |
-
for chunk in response.iter_content(chunk_size=8192):
|
| 156 |
-
file.write(chunk)
|
| 157 |
-
print(f"File downloaded successfully: {local_file_path}")
|
| 158 |
-
return local_file_path
|
| 159 |
-
except requests.exceptions.HTTPError as e:
|
| 160 |
-
if e.response.status_code == 429:
|
| 161 |
-
return f"Error: Rate limit exceeded for task {task_id}. Try again later."
|
| 162 |
-
return f"Error downloading file for task {task_id}: {str(e)}"
|
| 163 |
-
except requests.exceptions.RequestException as e:
|
| 164 |
-
return f"Error downloading file for task {task_id}: {str(e)}"
|
| 165 |
-
|
| 166 |
-
class SpeechToTextTool(Tool):
|
| 167 |
-
name = "speech_to_text"
|
| 168 |
-
description = (
|
| 169 |
-
"Converts an audio file to text using OpenAI Whisper."
|
| 170 |
-
)
|
| 171 |
-
inputs = {
|
| 172 |
-
"audio_path": {"type": "string", "description": "Path to audio file (.mp3, .wav)"},
|
| 173 |
-
}
|
| 174 |
-
output_type = "string"
|
| 175 |
-
|
| 176 |
-
def __init__(self):
|
| 177 |
-
super().__init__()
|
| 178 |
-
self.model = whisper.load_model("base")
|
| 179 |
-
|
| 180 |
-
def forward(self, audio_path: str) -> str:
|
| 181 |
-
if not os.path.exists(audio_path):
|
| 182 |
-
return f"Error: File not found at {audio_path}"
|
| 183 |
-
result = self.model.transcribe(audio_path)
|
| 184 |
-
return result.get("text", "")
|
| 185 |
-
|
| 186 |
-
class ExcelReaderTool(Tool):
|
| 187 |
-
name = "excel_reader"
|
| 188 |
-
|
| 189 |
-
description = """
|
| 190 |
-
This tool reads and processes Excel files (.xlsx, .xls).
|
| 191 |
-
It can extract data, calculate statistics, and perform data analysis on spreadsheets.
|
| 192 |
-
"""
|
| 193 |
-
inputs = {
|
| 194 |
-
"excel_path": {
|
| 195 |
-
"type": "string"
|
| 196 |
-
,
|
| 197 |
-
"description": "The path to the Excel file to read",
|
| 198 |
-
},
|
| 199 |
-
"sheet_name": {
|
| 200 |
-
"type": "string",
|
| 201 |
-
|
| 202 |
-
"description": "The name of the sheet to read (optional, defaults to first sheet)",
|
| 203 |
-
"nullable": True
|
| 204 |
-
}
|
| 205 |
-
}
|
| 206 |
-
output_type = "string"
|
| 207 |
-
|
| 208 |
-
def forward(self, excel_path: str, sheet_name: str = None) -> str:
|
| 209 |
-
"""
|
| 210 |
-
Reads and processes the given Excel file.
|
| 211 |
-
"""
|
| 212 |
-
try:
|
| 213 |
-
# Check if the file exists
|
| 214 |
-
if not os.path.exists(excel_path):
|
| 215 |
-
return f"Error: Excel file not found at {excel_path}"
|
| 216 |
-
|
| 217 |
-
import pandas as pd
|
| 218 |
-
|
| 219 |
-
# Read the Excel file
|
| 220 |
-
if sheet_name:
|
| 221 |
-
df = pd.read_excel(excel_path, sheet_name=sheet_name)
|
| 222 |
-
else:
|
| 223 |
-
df = pd.read_excel(excel_path)
|
| 224 |
-
|
| 225 |
-
# Get basic info about the data
|
| 226 |
-
info = {
|
| 227 |
-
"shape": df.shape,
|
| 228 |
-
"columns": list(df.columns),
|
| 229 |
-
"dtypes": df.dtypes.to_dict(),
|
| 230 |
-
"head": df.head(5).to_dict()
|
| 231 |
-
}
|
| 232 |
-
|
| 233 |
-
# Return formatted info
|
| 234 |
-
result = f"Excel file: {excel_path}\n"
|
| 235 |
-
result += f"Shape: {info['shape'][0]} rows × {info['shape'][1]} columns\n\n"
|
| 236 |
-
result += "Columns:\n"
|
| 237 |
-
for col in info['columns']:
|
| 238 |
-
result += f"- {col} ({info['dtypes'].get(col)})\n"
|
| 239 |
-
|
| 240 |
-
result += "\nPreview (first 5 rows):\n"
|
| 241 |
-
result += df.head(5).to_string()
|
| 242 |
-
|
| 243 |
-
return result
|
| 244 |
-
|
| 245 |
-
except Exception as e:
|
| 246 |
-
return f"Error reading Excel file: {str(e)}"
|
| 247 |
-
|
| 248 |
-
|
| 249 |
-
|
| 250 |
-
|
| 251 |
-
class DownloadImageTool(Tool):
|
| 252 |
-
name = "download_chess_image"
|
| 253 |
-
description = "Downloads chess position image from task ID"
|
| 254 |
-
inputs = {'task_id': {'type': 'string'}}
|
| 255 |
-
output_type = "string"
|
| 256 |
-
|
| 257 |
-
def forward(self, task_id: str) -> str:
|
| 258 |
-
try:
|
| 259 |
-
response = requests.get(
|
| 260 |
-
f"https://agents-course-unit4-scoring.hf.space/files/{task_id}",
|
| 261 |
-
stream=True
|
| 262 |
-
)
|
| 263 |
-
response.raise_for_status()
|
| 264 |
-
|
| 265 |
-
img_path = f"chess_{task_id}.png"
|
| 266 |
-
with open(img_path, "wb") as f:
|
| 267 |
-
for chunk in response.iter_content(8192):
|
| 268 |
-
f.write(chunk)
|
| 269 |
-
return img_path
|
| 270 |
-
except Exception as e:
|
| 271 |
-
raise RuntimeError(f"Image download failed: {str(e)}")
|
| 272 |
-
|
| 273 |
-
|
| 274 |
-
|
| 275 |
-
class ChessEngineTool(Tool):
|
| 276 |
-
import chess
|
| 277 |
-
import chess.engine
|
| 278 |
-
name = "stockfish_analysis"
|
| 279 |
-
description = "Analyzes chess position using Stockfish"
|
| 280 |
-
inputs = {'fen': {'type': 'string'}}
|
| 281 |
-
output_type = "string"
|
| 282 |
-
|
| 283 |
-
def forward(self, fen: str) -> str:
|
| 284 |
-
try:
|
| 285 |
-
board = chess.Board(fen)
|
| 286 |
-
engine = chess.engine.SimpleEngine.popen_uci("stockfish")
|
| 287 |
-
result = engine.play(board, chess.engine.Limit(time=2.0))
|
| 288 |
-
engine.quit()
|
| 289 |
-
return board.san(result.move)
|
| 290 |
-
except Exception as e:
|
| 291 |
-
return f"Engine error: {str(e)}"
|
| 292 |
-
|
| 293 |
-
async def analyze_position(self, task_id: str):
|
| 294 |
-
try:
|
| 295 |
-
# Step 1: Download image
|
| 296 |
-
img_path = await self.tools[0](task_id)
|
| 297 |
-
|
| 298 |
-
# Step 2: Get multimodal analysis
|
| 299 |
-
response = await self.model.acreate(
|
| 300 |
-
messages=[{
|
| 301 |
-
"role": "user",
|
| 302 |
-
"content": [
|
| 303 |
-
{"type": "text", "text": """Analyze this chess position.
|
| 304 |
-
It's black's turn. Provide the winning move in algebraic notation.
|
| 305 |
-
Respond ONLY with the move, nothing else."""},
|
| 306 |
-
{"type": "image_url", "image_url": {"url": f"file://{img_path}"}}
|
| 307 |
-
]
|
| 308 |
-
}],
|
| 309 |
-
temperature=0.1
|
| 310 |
-
)
|
| 311 |
-
|
| 312 |
-
return response.choices[0].message.content
|
| 313 |
-
|
| 314 |
-
except Exception as e:
|
| 315 |
-
return f"Analysis failed: {str(e)}"
|
| 316 |
-
|
| 317 |
-
|
| 318 |
-
|
| 319 |
-
|
| 320 |
-
class PythonCodeReaderTool(Tool):
|
| 321 |
-
name = "read_python_code"
|
| 322 |
-
description = "Reads a Python (.py) file and returns its content as a string."
|
| 323 |
-
inputs = {
|
| 324 |
-
"file_path": {"type": "string", "description": "The path to the Python file to read"}
|
| 325 |
-
}
|
| 326 |
-
output_type = "string"
|
| 327 |
-
|
| 328 |
-
def forward(self, file_path: str) -> str:
|
| 329 |
-
try:
|
| 330 |
-
if not os.path.exists(file_path):
|
| 331 |
-
return f"Error: Python file not found at {file_path}"
|
| 332 |
-
with open(file_path, "r", encoding="utf-8") as file:
|
| 333 |
-
content = file.read()
|
| 334 |
-
return content
|
| 335 |
-
except Exception as e:
|
| 336 |
-
return f"Error reading Python file: {str(e)}"
|
| 337 |
|
| 338 |
class MagAgent:
|
| 339 |
def __init__(self, rate_limiter: Optional[Limiter] = None):
|
|
@@ -354,12 +106,10 @@ class MagAgent:
|
|
| 354 |
max_tokens=2048
|
| 355 |
)
|
| 356 |
|
| 357 |
-
|
| 358 |
-
|
| 359 |
-
|
| 360 |
-
]
|
| 361 |
|
| 362 |
-
|
| 363 |
# Load prompt templates
|
| 364 |
with open("prompts.yaml", 'r') as stream:
|
| 365 |
prompt_templates = yaml.safe_load(stream)
|
|
@@ -367,55 +117,322 @@ class MagAgent:
|
|
| 367 |
# Initialize rate limiter for DuckDuckGoSearchTool
|
| 368 |
search_rate_limiter = Limiter(rate=30/60, capacity=30, storage=MemoryStorage()) if not rate_limiter else rate_limiter
|
| 369 |
|
|
|
|
| 370 |
self.agent = CodeAgent(
|
| 371 |
-
model=
|
| 372 |
tools=[
|
| 373 |
-
|
| 374 |
-
|
| 375 |
-
|
| 376 |
-
|
| 377 |
-
|
| 378 |
-
|
| 379 |
-
PythonCodeReaderTool(),
|
| 380 |
-
DownloadImageTool(),
|
| 381 |
-
ChessEngineTool(),
|
| 382 |
-
# GoogleSearchTool,
|
| 383 |
-
# ImageAnalysisTool,
|
| 384 |
],
|
| 385 |
verbosity_level=2,
|
| 386 |
prompt_templates=prompt_templates,
|
| 387 |
add_base_tools=True,
|
| 388 |
max_steps=15
|
| 389 |
)
|
|
|
|
| 390 |
print("MagAgent initialized.")
|
| 391 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 392 |
async def __call__(self, question: str, task_id: str) -> str:
|
| 393 |
"""Process a question asynchronously using the MagAgent."""
|
| 394 |
print(f"MagAgent received question (first 50 chars): {question[:50]}... Task ID: {task_id}")
|
| 395 |
try:
|
| 396 |
-
|
| 397 |
-
|
| 398 |
-
|
| 399 |
-
|
| 400 |
-
|
| 401 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 402 |
# f"Answer the following question accurately and concisely: \n"
|
| 403 |
-
f"{question} \n"
|
| 404 |
-
f"If the question references an attachment, use tool to download it with task_id: {task_id}\n"
|
| 405 |
# f"Return the answer as a string."
|
| 406 |
-
)
|
| 407 |
-
print(f"Calling agent.run for task {task_id}...")
|
| 408 |
-
response = await asyncio.to_thread(
|
| 409 |
-
self.agent.run,
|
| 410 |
-
task=task
|
| 411 |
-
)
|
| 412 |
-
print(f"Agent.run completed for task {task_id}.")
|
| 413 |
-
response = str(response)
|
| 414 |
-
if not response:
|
| 415 |
-
print(f"No answer found for task {task_id}.")
|
| 416 |
-
response = "No answer found."
|
| 417 |
-
print(f"MagAgent response: {response[:50]}...")
|
| 418 |
-
return response
|
| 419 |
except Exception as e:
|
| 420 |
error_msg = f"Error processing question for task {task_id}: {str(e)}. Check API key or network connectivity."
|
| 421 |
print(error_msg)
|
|
|
|
| 85 |
#
|
| 86 |
# return f"The image description: '{response}'"
|
| 87 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 88 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 89 |
|
| 90 |
class MagAgent:
|
| 91 |
def __init__(self, rate_limiter: Optional[Limiter] = None):
|
|
|
|
| 106 |
max_tokens=2048
|
| 107 |
)
|
| 108 |
|
| 109 |
+
# Initialize core tools
|
| 110 |
+
self.download_tool = self.DownloadTaskAttachmentTool(rate_limiter=rate_limiter)
|
| 111 |
+
self.chess_engine = self.ChessEngineTool()
|
|
|
|
| 112 |
|
|
|
|
| 113 |
# Load prompt templates
|
| 114 |
with open("prompts.yaml", 'r') as stream:
|
| 115 |
prompt_templates = yaml.safe_load(stream)
|
|
|
|
| 117 |
# Initialize rate limiter for DuckDuckGoSearchTool
|
| 118 |
search_rate_limiter = Limiter(rate=30/60, capacity=30, storage=MemoryStorage()) if not rate_limiter else rate_limiter
|
| 119 |
|
| 120 |
+
# Configure agent
|
| 121 |
self.agent = CodeAgent(
|
| 122 |
+
model=self.model,
|
| 123 |
tools=[
|
| 124 |
+
self.download_tool,
|
| 125 |
+
self.chess_engine,
|
| 126 |
+
self.SpeechToTextTool(),
|
| 127 |
+
self.ExcelReaderTool(),
|
| 128 |
+
self.VisitWebpageTool(),
|
| 129 |
+
self.PythonCodeReaderTool()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 130 |
],
|
| 131 |
verbosity_level=2,
|
| 132 |
prompt_templates=prompt_templates,
|
| 133 |
add_base_tools=True,
|
| 134 |
max_steps=15
|
| 135 |
)
|
| 136 |
+
|
| 137 |
print("MagAgent initialized.")
|
| 138 |
|
| 139 |
+
|
| 140 |
+
class VisitWebpageTool(Tool):
|
| 141 |
+
name = "visit_webpage"
|
| 142 |
+
description = "Visits a webpage at the given url and reads its content as a markdown string. Use this to browse webpages."
|
| 143 |
+
inputs = {'url': {'type': 'string', 'description': 'The url of the webpage to visit.'}}
|
| 144 |
+
output_type = "string"
|
| 145 |
+
|
| 146 |
+
def forward(self, url: str) -> str:
|
| 147 |
+
try:
|
| 148 |
+
response = requests.get(url, timeout=20)
|
| 149 |
+
response.raise_for_status()
|
| 150 |
+
markdown_content = markdownify(response.text).strip()
|
| 151 |
+
markdown_content = re.sub(r"\n{3,}", "\n\n", markdown_content)
|
| 152 |
+
from smolagents.utils import truncate_content
|
| 153 |
+
return truncate_content(markdown_content, 10000)
|
| 154 |
+
except requests.exceptions.Timeout:
|
| 155 |
+
return "The request timed out. Please try again later or check the URL."
|
| 156 |
+
except requests.exceptions.RequestException as e:
|
| 157 |
+
return f"Error fetching the webpage: {str(e)}"
|
| 158 |
+
except Exception as e:
|
| 159 |
+
return f"An unexpected error occurred: {str(e)}"
|
| 160 |
+
|
| 161 |
+
def __init__(self, *args, **kwargs):
|
| 162 |
+
self.is_initialized = False
|
| 163 |
+
|
| 164 |
+
class DownloadTaskAttachmentTool(Tool):
|
| 165 |
+
name = "download_file"
|
| 166 |
+
description = "Downloads the file attached to the task ID and returns the local file path. Supports Excel (.xlsx), image (.png, .jpg), audio (.mp3), PDF (.pdf), and Python (.py) files."
|
| 167 |
+
inputs = {'task_id': {'type': 'string', 'description': 'The task id to download attachment from.'}}
|
| 168 |
+
output_type = "string"
|
| 169 |
+
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
| 170 |
+
|
| 171 |
+
def __init__(self, rate_limiter: Optional[Limiter] = None, default_api_url: str = DEFAULT_API_URL, *args, **kwargs):
|
| 172 |
+
self.is_initialized = False
|
| 173 |
+
self.rate_limiter = rate_limiter
|
| 174 |
+
self.default_api_url = default_api_url
|
| 175 |
+
|
| 176 |
+
def forward(self, task_id: str) -> str:
|
| 177 |
+
file_url = f"{self.default_api_url}/files/{task_id}"
|
| 178 |
+
print(f"Downloading file for task ID {task_id} from {file_url}...")
|
| 179 |
+
try:
|
| 180 |
+
if self.rate_limiter:
|
| 181 |
+
while not self.rate_limiter.consume(1):
|
| 182 |
+
print(f"Rate limit reached for downloading file for task {task_id}. Waiting...")
|
| 183 |
+
time.sleep(60 / 15) # Assuming 15 RPM
|
| 184 |
+
response = requests.get(file_url, stream=True, timeout=15)
|
| 185 |
+
response.raise_for_status()
|
| 186 |
+
|
| 187 |
+
# Determine file extension based on Content-Type
|
| 188 |
+
content_type = response.headers.get('Content-Type', '').lower()
|
| 189 |
+
if 'image/png' in content_type:
|
| 190 |
+
extension = '.png'
|
| 191 |
+
elif 'image/jpeg' in content_type:
|
| 192 |
+
extension = '.jpg'
|
| 193 |
+
elif 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet' in content_type:
|
| 194 |
+
extension = '.xlsx'
|
| 195 |
+
elif 'audio/mpeg' in content_type:
|
| 196 |
+
extension = '.mp3'
|
| 197 |
+
elif 'application/pdf' in content_type:
|
| 198 |
+
extension = '.pdf'
|
| 199 |
+
elif 'text/x-python' in content_type:
|
| 200 |
+
extension = '.py'
|
| 201 |
+
else:
|
| 202 |
+
return f"Error: Unsupported file type {content_type} for task {task_id}. Try using visit_webpage or web_search if the content is online."
|
| 203 |
+
|
| 204 |
+
local_file_path = f"downloads/{task_id}{extension}"
|
| 205 |
+
os.makedirs("downloads", exist_ok=True)
|
| 206 |
+
with open(local_file_path, "wb") as file:
|
| 207 |
+
for chunk in response.iter_content(chunk_size=8192):
|
| 208 |
+
file.write(chunk)
|
| 209 |
+
print(f"File downloaded successfully: {local_file_path}")
|
| 210 |
+
return local_file_path
|
| 211 |
+
except requests.exceptions.HTTPError as e:
|
| 212 |
+
if e.response.status_code == 429:
|
| 213 |
+
return f"Error: Rate limit exceeded for task {task_id}. Try again later."
|
| 214 |
+
return f"Error downloading file for task {task_id}: {str(e)}"
|
| 215 |
+
except requests.exceptions.RequestException as e:
|
| 216 |
+
return f"Error downloading file for task {task_id}: {str(e)}"
|
| 217 |
+
|
| 218 |
+
class SpeechToTextTool(Tool):
|
| 219 |
+
name = "speech_to_text"
|
| 220 |
+
description = (
|
| 221 |
+
"Converts an audio file to text using OpenAI Whisper."
|
| 222 |
+
)
|
| 223 |
+
inputs = {
|
| 224 |
+
"audio_path": {"type": "string", "description": "Path to audio file (.mp3, .wav)"},
|
| 225 |
+
}
|
| 226 |
+
output_type = "string"
|
| 227 |
+
|
| 228 |
+
def __init__(self):
|
| 229 |
+
super().__init__()
|
| 230 |
+
self.model = whisper.load_model("base")
|
| 231 |
+
|
| 232 |
+
def forward(self, audio_path: str) -> str:
|
| 233 |
+
if not os.path.exists(audio_path):
|
| 234 |
+
return f"Error: File not found at {audio_path}"
|
| 235 |
+
result = self.model.transcribe(audio_path)
|
| 236 |
+
return result.get("text", "")
|
| 237 |
+
|
| 238 |
+
class ExcelReaderTool(Tool):
|
| 239 |
+
name = "excel_reader"
|
| 240 |
+
|
| 241 |
+
description = """
|
| 242 |
+
This tool reads and processes Excel files (.xlsx, .xls).
|
| 243 |
+
It can extract data, calculate statistics, and perform data analysis on spreadsheets.
|
| 244 |
+
"""
|
| 245 |
+
inputs = {
|
| 246 |
+
"excel_path": {
|
| 247 |
+
"type": "string"
|
| 248 |
+
,
|
| 249 |
+
"description": "The path to the Excel file to read",
|
| 250 |
+
},
|
| 251 |
+
"sheet_name": {
|
| 252 |
+
"type": "string",
|
| 253 |
+
|
| 254 |
+
"description": "The name of the sheet to read (optional, defaults to first sheet)",
|
| 255 |
+
"nullable": True
|
| 256 |
+
}
|
| 257 |
+
}
|
| 258 |
+
output_type = "string"
|
| 259 |
+
|
| 260 |
+
def forward(self, excel_path: str, sheet_name: str = None) -> str:
|
| 261 |
+
"""
|
| 262 |
+
Reads and processes the given Excel file.
|
| 263 |
+
"""
|
| 264 |
+
try:
|
| 265 |
+
# Check if the file exists
|
| 266 |
+
if not os.path.exists(excel_path):
|
| 267 |
+
return f"Error: Excel file not found at {excel_path}"
|
| 268 |
+
|
| 269 |
+
import pandas as pd
|
| 270 |
+
|
| 271 |
+
# Read the Excel file
|
| 272 |
+
if sheet_name:
|
| 273 |
+
df = pd.read_excel(excel_path, sheet_name=sheet_name)
|
| 274 |
+
else:
|
| 275 |
+
df = pd.read_excel(excel_path)
|
| 276 |
+
|
| 277 |
+
# Get basic info about the data
|
| 278 |
+
info = {
|
| 279 |
+
"shape": df.shape,
|
| 280 |
+
"columns": list(df.columns),
|
| 281 |
+
"dtypes": df.dtypes.to_dict(),
|
| 282 |
+
"head": df.head(5).to_dict()
|
| 283 |
+
}
|
| 284 |
+
|
| 285 |
+
# Return formatted info
|
| 286 |
+
result = f"Excel file: {excel_path}\n"
|
| 287 |
+
result += f"Shape: {info['shape'][0]} rows × {info['shape'][1]} columns\n\n"
|
| 288 |
+
result += "Columns:\n"
|
| 289 |
+
for col in info['columns']:
|
| 290 |
+
result += f"- {col} ({info['dtypes'].get(col)})\n"
|
| 291 |
+
|
| 292 |
+
result += "\nPreview (first 5 rows):\n"
|
| 293 |
+
result += df.head(5).to_string()
|
| 294 |
+
|
| 295 |
+
return result
|
| 296 |
+
|
| 297 |
+
except Exception as e:
|
| 298 |
+
return f"Error reading Excel file: {str(e)}"
|
| 299 |
+
|
| 300 |
+
|
| 301 |
+
|
| 302 |
+
|
| 303 |
+
class DownloadImageTool(Tool):
|
| 304 |
+
name = "download_chess_image"
|
| 305 |
+
description = "Downloads chess position image from task ID"
|
| 306 |
+
inputs = {'task_id': {'type': 'string'}}
|
| 307 |
+
output_type = "string"
|
| 308 |
+
|
| 309 |
+
def forward(self, task_id: str) -> str:
|
| 310 |
+
try:
|
| 311 |
+
response = requests.get(
|
| 312 |
+
f"https://agents-course-unit4-scoring.hf.space/files/{task_id}",
|
| 313 |
+
stream=True
|
| 314 |
+
)
|
| 315 |
+
response.raise_for_status()
|
| 316 |
+
|
| 317 |
+
img_path = f"chess_{task_id}.png"
|
| 318 |
+
with open(img_path, "wb") as f:
|
| 319 |
+
for chunk in response.iter_content(8192):
|
| 320 |
+
f.write(chunk)
|
| 321 |
+
return img_path
|
| 322 |
+
except Exception as e:
|
| 323 |
+
raise RuntimeError(f"Image download failed: {str(e)}")
|
| 324 |
+
|
| 325 |
+
|
| 326 |
+
|
| 327 |
+
class ChessEngineTool(Tool):
|
| 328 |
+
import chess
|
| 329 |
+
import chess.engine
|
| 330 |
+
name = "stockfish_analysis"
|
| 331 |
+
description = "Analyzes chess position using Stockfish"
|
| 332 |
+
inputs = {'fen': {'type': 'string'}}
|
| 333 |
+
output_type = "string"
|
| 334 |
+
|
| 335 |
+
def forward(self, fen: str) -> str:
|
| 336 |
+
try:
|
| 337 |
+
board = chess.Board(fen)
|
| 338 |
+
engine = chess.engine.SimpleEngine.popen_uci("stockfish")
|
| 339 |
+
result = engine.play(board, chess.engine.Limit(time=2.0))
|
| 340 |
+
engine.quit()
|
| 341 |
+
return board.san(result.move)
|
| 342 |
+
except Exception as e:
|
| 343 |
+
return f"Engine error: {str(e)}"
|
| 344 |
+
|
| 345 |
+
async def analyze_position(self, task_id: str):
|
| 346 |
+
try:
|
| 347 |
+
# Step 1: Download image
|
| 348 |
+
img_path = await self.tools[0](task_id)
|
| 349 |
+
|
| 350 |
+
# Step 2: Get multimodal analysis
|
| 351 |
+
response = await self.model.acreate(
|
| 352 |
+
messages=[{
|
| 353 |
+
"role": "user",
|
| 354 |
+
"content": [
|
| 355 |
+
{"type": "text", "text": """Analyze this chess position.
|
| 356 |
+
It's black's turn. Provide the winning move in algebraic notation.
|
| 357 |
+
Respond ONLY with the move, nothing else."""},
|
| 358 |
+
{"type": "image_url", "image_url": {"url": f"file://{img_path}"}}
|
| 359 |
+
]
|
| 360 |
+
}],
|
| 361 |
+
temperature=0.1
|
| 362 |
+
)
|
| 363 |
+
|
| 364 |
+
return response.choices[0].message.content
|
| 365 |
+
|
| 366 |
+
except Exception as e:
|
| 367 |
+
return f"Analysis failed: {str(e)}"
|
| 368 |
+
|
| 369 |
+
|
| 370 |
+
|
| 371 |
+
|
| 372 |
+
class PythonCodeReaderTool(Tool):
|
| 373 |
+
name = "read_python_code"
|
| 374 |
+
description = "Reads a Python (.py) file and returns its content as a string."
|
| 375 |
+
inputs = {
|
| 376 |
+
"file_path": {"type": "string", "description": "The path to the Python file to read"}
|
| 377 |
+
}
|
| 378 |
+
output_type = "string"
|
| 379 |
+
|
| 380 |
+
def forward(self, file_path: str) -> str:
|
| 381 |
+
try:
|
| 382 |
+
if not os.path.exists(file_path):
|
| 383 |
+
return f"Error: Python file not found at {file_path}"
|
| 384 |
+
with open(file_path, "r", encoding="utf-8") as file:
|
| 385 |
+
content = file.read()
|
| 386 |
+
return content
|
| 387 |
+
except Exception as e:
|
| 388 |
+
return f"Error reading Python file: {str(e)}"
|
| 389 |
+
|
| 390 |
+
|
| 391 |
async def __call__(self, question: str, task_id: str) -> str:
|
| 392 |
"""Process a question asynchronously using the MagAgent."""
|
| 393 |
print(f"MagAgent received question (first 50 chars): {question[:50]}... Task ID: {task_id}")
|
| 394 |
try:
|
| 395 |
+
# Unified processing flow
|
| 396 |
+
img_path = await self.download_tool(task_id)
|
| 397 |
+
|
| 398 |
+
response = await self.model.acreate(
|
| 399 |
+
messages=[{
|
| 400 |
+
"role": "user",
|
| 401 |
+
"content": [
|
| 402 |
+
{"type": "text", "text": f"{question}\nProvide answer in algebraic notation."},
|
| 403 |
+
{"type": "image_url", "image_url": {"url": f"file://{img_path}"}}
|
| 404 |
+
]
|
| 405 |
+
}],
|
| 406 |
+
temperature=0.1
|
| 407 |
+
)
|
| 408 |
+
|
| 409 |
+
return response.choices[0].message.content
|
| 410 |
+
|
| 411 |
+
|
| 412 |
+
|
| 413 |
+
# if self.rate_limiter:
|
| 414 |
+
# while not self.rate_limiter.consume(1):
|
| 415 |
+
# print(f"Rate limit reached for task {task_id}. Waiting...")
|
| 416 |
+
# await asyncio.sleep(60 / 15) # Assuming 15 RPM
|
| 417 |
+
# # Include task_id in the task prompt to guide the agent
|
| 418 |
+
# task = (
|
| 419 |
# f"Answer the following question accurately and concisely: \n"
|
| 420 |
+
# f"{question} \n"
|
| 421 |
+
# f"If the question references an attachment, use tool to download it with task_id: {task_id}\n"
|
| 422 |
# f"Return the answer as a string."
|
| 423 |
+
# )
|
| 424 |
+
# print(f"Calling agent.run for task {task_id}...")
|
| 425 |
+
# response = await asyncio.to_thread(
|
| 426 |
+
# self.agent.run,
|
| 427 |
+
# task=task
|
| 428 |
+
# )
|
| 429 |
+
# print(f"Agent.run completed for task {task_id}.")
|
| 430 |
+
# response = str(response)
|
| 431 |
+
# if not response:
|
| 432 |
+
# print(f"No answer found for task {task_id}.")
|
| 433 |
+
# response = "No answer found."
|
| 434 |
+
# print(f"MagAgent response: {response[:50]}...")
|
| 435 |
+
# return response
|
| 436 |
except Exception as e:
|
| 437 |
error_msg = f"Error processing question for task {task_id}: {str(e)}. Check API key or network connectivity."
|
| 438 |
print(error_msg)
|