Spaces:
Runtime error
Runtime error
File size: 18,882 Bytes
c5f9050 | 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 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 | import asyncio, json, base64, re
from pathlib import Path
from typing import Literal
from backend.smart_browser_controller import SmartBrowserController
from backend.vision_model import decide
from backend.universal_extractor import UniversalExtractor
def detect_format_from_prompt(prompt: str, default_fmt: str) -> str:
"""Detect format from prompt text and override default if found"""
prompt_lower = prompt.lower()
# Format detection patterns
format_patterns = {
'pdf': [r'\bpdf\b', r'pdf format', r'save.*pdf', r'as pdf', r'to pdf'],
'csv': [r'\bcsv\b', r'csv format', r'save.*csv', r'as csv', r'to csv'],
'json': [r'\bjson\b', r'json format', r'save.*json', r'as json', r'to json'],
'html': [r'\bhtml\b', r'html format', r'save.*html', r'as html', r'to html'],
'md': [r'\bmarkdown\b', r'md format', r'save.*markdown', r'as markdown', r'to md'],
'txt': [r'\btext\b', r'txt format', r'save.*text', r'as text', r'to txt', r'plain text']
}
# Check each format pattern
for fmt, patterns in format_patterns.items():
for pattern in patterns:
if re.search(pattern, prompt_lower):
print(f"π― Detected format '{fmt}' from prompt")
return fmt
print(f"π No specific format detected, using default: {default_fmt}")
return default_fmt
def get_file_extension(fmt: str) -> str:
"""Get appropriate file extension for format"""
extensions = {
'txt': 'txt',
'md': 'md',
'json': 'json',
'html': 'html',
'csv': 'csv',
'pdf': 'pdf'
}
return extensions.get(fmt, 'output') # fallback to .output
def get_content_type(fmt: str) -> str:
"""Get MIME type for format"""
content_types = {
'txt': 'text/plain',
'md': 'text/markdown',
'json': 'application/json',
'html': 'text/html',
'csv': 'text/csv',
'pdf': 'application/pdf'
}
return content_types.get(fmt, 'application/octet-stream')
async def run_agent(job_id: str, prompt: str, fmt: Literal["txt","md","json","html","csv","pdf"],
headless: bool, proxy: dict | None, enable_streaming: bool = False):
"""Enhanced agent with smart proxy rotation and vision-based anti-bot detection"""
from backend.main import broadcast, OUTPUT_DIR, register_streaming_session, store_job_info
print(f"π Starting smart agent with vision-based anti-bot detection")
print(f"π Goal: {prompt}")
print(f"π Default Format: {fmt}")
# Smart format detection from prompt
detected_fmt = detect_format_from_prompt(prompt, fmt)
if detected_fmt != fmt:
print(f"π Format overridden: {fmt} β {detected_fmt}")
fmt = detected_fmt
# Initialize universal extractor
extractor = UniversalExtractor()
# Use SmartBrowserController instead of regular BrowserController
async with SmartBrowserController(headless, proxy, enable_streaming) as browser:
# Register streaming session
if enable_streaming:
await register_streaming_session(job_id, browser)
# Store job info for later download
await store_job_info(job_id, {
"format": fmt,
"content_type": get_content_type(fmt),
"extension": get_file_extension(fmt),
"prompt": prompt
})
# Show initial proxy stats
proxy_stats = browser.get_proxy_stats()
print(f"π Initial proxy stats: {proxy_stats}")
await broadcast(job_id, {
"type": "proxy_stats",
"stats": proxy_stats
})
# Smart navigation to starting URL
url_match = re.search(r"https?://[\w\-\.]+[^\s]*", prompt)
if url_match:
start_url = url_match.group(0).rstrip('".,;')
print(f"π Found URL in prompt: {start_url}")
else:
start_url = determine_starting_url(prompt)
# start_url = 'www.google.com'
print(f"π Starting at: {start_url}")
try:
# This now uses smart navigation with anti-bot detection and proxy rotation
await browser.goto(start_url)
print("β
Successfully navigated with smart proxy rotation")
except Exception as e:
print(f"β Smart navigation failed: {e}")
await broadcast(job_id, {
"type": "error",
"message": f"Navigation failed: {str(e)}",
"proxy_stats": browser.get_proxy_stats()
})
return
await broadcast(job_id, {
"status": "started",
"initial_url": browser.page.url,
"detected_format": fmt,
"file_extension": get_file_extension(fmt),
"proxy_stats": browser.get_proxy_stats()
})
# Dynamic limits based on task complexity
max_steps = determine_max_steps(prompt)
consecutive_scrolls = 0
max_consecutive_scrolls = 3
extraction_attempts = 0
max_extraction_attempts = 2
print(f"π― Running for max {max_steps} steps, output format: {fmt}")
# Main enhanced agent loop with smart proxy rotation
for step in range(max_steps):
print(f"\nπ Step {step + 1}/{max_steps}")
# Periodically check proxy health and broadcast stats
if step % 5 == 0:
proxy_stats = browser.get_proxy_stats()
await broadcast(job_id, {
"type": "proxy_stats",
"stats": proxy_stats,
"step": step
})
print(f"π Proxy health check: {proxy_stats['available']}/{proxy_stats['total']} available")
try:
page_state = await browser.get_page_state(include_screenshot=True)
print(f"π Found {len(page_state.selector_map)} interactive elements")
print(f"π Current: {page_state.url}")
await broadcast(job_id, {
"type": "page_info",
"step": step + 1,
"url": page_state.url,
"title": page_state.title,
"interactive_elements": len(page_state.selector_map),
"format": fmt
})
if page_state.screenshot:
await broadcast(job_id, {
"type": "screenshot",
"screenshot": page_state.screenshot
})
except Exception as e:
print(f"β Page state failed: {e}")
continue
# Handle empty pages
if len(page_state.selector_map) == 0:
if consecutive_scrolls < max_consecutive_scrolls:
print("β οΈ No interactive elements, trying to scroll...")
await browser.scroll_page("down", 400)
consecutive_scrolls += 1
continue
else:
print("β οΈ No elements found after scrolling")
break
# AI decision making
try:
screenshot_bytes = base64.b64decode(page_state.screenshot)
decision = await decide(screenshot_bytes, page_state, prompt)
print(f"π€ AI Decision: {decision.get('action')} - {decision.get('reason', 'No reason')}")
await broadcast(job_id, {
"type": "decision",
"step": step + 1,
"decision": decision
})
except Exception as e:
print(f"β AI decision failed: {e}")
continue
# Execute action with enhanced error handling
action = decision.get("action")
print(f"β‘ Executing: {action}")
try:
if action == "click":
index = decision.get("index")
if index is not None and index in page_state.selector_map:
elem = page_state.selector_map[index]
print(f"π±οΈ Clicking: {elem.text[:50]}...")
await browser.click_element_by_index(index, page_state)
consecutive_scrolls = 0
extraction_attempts = 0 # Reset on navigation
await asyncio.sleep(2)
else:
print(f"β Invalid click index: {index}")
elif action == "type":
index = decision.get("index")
text = decision.get("text", "")
if index is not None and index in page_state.selector_map and text:
elem = page_state.selector_map[index]
print(f"β¨οΈ Typing '{text}' into: {elem.text[:30]}...")
await browser.input_text_by_index(index, text, page_state)
consecutive_scrolls = 0
await asyncio.sleep(1)
else:
print(f"β Invalid type parameters: index={index}, text='{text}'")
elif action == "scroll":
direction = decision.get("direction", "down")
amount = decision.get("amount", 400)
print(f"π Scrolling {direction} by {amount}px")
await browser.scroll_page(direction, amount)
consecutive_scrolls += 1
if consecutive_scrolls >= max_consecutive_scrolls:
print("β οΈ Too many scrolls, trying page end")
await browser.press_key("End")
consecutive_scrolls = 0
elif action == "press_key":
key = decision.get("key", "Enter")
print(f"π Pressing key: {key}")
await browser.press_key(key)
consecutive_scrolls = 0
await asyncio.sleep(2)
elif action == "navigate":
url = decision.get("url", "")
if url and url.startswith("http"):
print(f"π Navigating to: {url}")
# This will use smart navigation with anti-bot detection
try:
await browser.goto(url)
consecutive_scrolls = 0
extraction_attempts = 0
await asyncio.sleep(2)
except Exception as nav_error:
print(f"β Smart navigation failed: {nav_error}")
# Broadcast navigation failure with proxy stats
await broadcast(job_id, {
"type": "navigation_error",
"url": url,
"error": str(nav_error),
"proxy_stats": browser.get_proxy_stats()
})
else:
print(f"β Invalid navigation URL: {url}")
elif action == "extract":
extraction_attempts += 1
if extraction_attempts <= max_extraction_attempts:
print(f"π Starting intelligent extraction in {fmt} format...")
await broadcast(job_id, {
"type": "extraction",
"status": "starting",
"attempt": extraction_attempts,
"format": fmt
})
# Use universal extraction with specified format
content_result = await extractor.extract_intelligent_content(browser, prompt, fmt, job_id)
# Save content with proper extension
file_extension = get_file_extension(fmt)
output_file = OUTPUT_DIR / f"{job_id}.{file_extension}"
# Handle different content types
saved_successfully = await save_content(content_result, output_file, fmt, job_id)
if saved_successfully:
print(f"πΎ Content saved successfully: {output_file}")
await broadcast(job_id, {
"type": "extraction",
"status": "completed",
"format": fmt,
"file_path": str(output_file),
"file_extension": file_extension,
"proxy_stats": browser.get_proxy_stats()
})
else:
print(f"β Failed to save content")
break
else:
print("β οΈ Maximum extraction attempts reached")
break
elif action == "done":
print("β
Task marked as complete by AI")
break
else:
print(f"β οΈ Unknown action: {action}")
except Exception as e:
print(f"β Action execution failed: {e}")
await asyncio.sleep(1)
# Small delay between actions
await asyncio.sleep(0.5)
# Final extraction if not done yet
if extraction_attempts == 0:
print(f"π Performing final extraction in {fmt} format...")
try:
content_result = await extractor.extract_intelligent_content(browser, prompt, fmt, job_id)
file_extension = get_file_extension(fmt)
output_file = OUTPUT_DIR / f"{job_id}.{file_extension}"
await save_content(content_result, output_file, fmt, job_id)
print(f"πΎ Final content saved: {output_file}")
except Exception as e:
print(f"β Final extraction failed: {e}")
# Final proxy statistics
final_proxy_stats = browser.get_proxy_stats()
print(f"π Final proxy stats: {final_proxy_stats}")
await broadcast(job_id, {
"status": "finished",
"final_format": fmt,
"final_proxy_stats": final_proxy_stats
})
async def save_content(content_result: str, output_file: Path, fmt: str, job_id: str) -> bool:
"""Save content based on format type with enhanced error handling"""
try:
if fmt == "pdf":
# Handle PDF - check for direct save indicator
if content_result.startswith("PDF_DIRECT_SAVE:"):
# PDF was saved directly to the correct location
pdf_path = content_result.split("PDF_DIRECT_SAVE:")[1].strip()
print(f"π PDF saved directly: {pdf_path}")
# Verify the file exists at expected location
if Path(pdf_path).exists():
return True
else:
print(f"β PDF file not found at expected location: {pdf_path}")
return False
elif content_result.startswith("PDF saved to:"):
# Legacy format - PDF was saved elsewhere, need to copy
pdf_path = content_result.split("PDF saved to: ")[1].strip()
import shutil
shutil.copy2(pdf_path, output_file)
print(f"π PDF copied to standard location: {output_file}")
return True
else:
# Content is text, save as fallback
with open(output_file.with_suffix('.txt'), "w", encoding="utf-8") as f:
f.write("PDF GENERATION FAILED - TEXT FALLBACK\n")
f.write("="*50 + "\n\n")
f.write(content_result)
print(f"π PDF fallback saved as text: {output_file.with_suffix('.txt')}")
return True
else:
# Handle text-based formats
with open(output_file, "w", encoding="utf-8") as f:
f.write(content_result)
print(f"π {fmt.upper()} content saved: {output_file}")
return True
except Exception as e:
print(f"β Error saving content: {e}")
return False
def determine_starting_url(prompt: str) -> str:
"""Determine the best starting URL based on the user's goal"""
prompt_lower = prompt.lower()
# Search-related tasks
if any(word in prompt_lower for word in ["search", "find", "look for", "google"]):
return "https://duckduckgo.com/"
# Code repositories
if "github" in prompt_lower or "code repository" in prompt_lower:
return "https://www.github.com"
# E-commerce
if any(word in prompt_lower for word in ["buy", "purchase", "product", "price", "amazon"]):
return "https://www.amazon.com"
# Default to Google for most tasks
return "https://duckduckgo.com/"
def determine_max_steps(prompt: str) -> int:
"""Determine max steps based on task complexity"""
prompt_lower = prompt.lower()
# Simple extraction tasks
if any(word in prompt_lower for word in ["extract", "get info", "save", "download"]):
return 15
# Complex research tasks
if any(word in prompt_lower for word in ["research", "analyze", "compare", "comprehensive"]):
return 25
# Form filling or multi-step processes
if any(word in prompt_lower for word in ["fill", "submit", "register", "apply", "multiple"]):
return 20
# Shopping or product research
if any(word in prompt_lower for word in ["buy", "product", "price", "review"]):
return 18
# Job searching
if any(word in prompt_lower for word in ["job", "career", "position"]):
return 20
# Default
return 20
|