Spaces:
Sleeping
Sleeping
File size: 21,111 Bytes
225a75e b55bafd 225a75e 33c409d 225a75e 33c409d 225a75e 64e1704 |
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 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 |
#!/usr/bin/env python3
"""
GAIA Agent LangGraph Workflow
Main orchestration workflow for the GAIA benchmark agent system
"""
import logging
from typing import Dict, Any, List, Literal
from langgraph.graph import StateGraph, END
from langgraph.checkpoint.memory import MemorySaver
from agents.state import GAIAAgentState, AgentRole, QuestionType
from agents.router import RouterAgent
from agents.web_researcher import WebResearchAgent
from agents.file_processor_agent import FileProcessorAgent
from agents.reasoning_agent import ReasoningAgent
from agents.synthesizer import SynthesizerAgent
from models.qwen_client import QwenClient
logger = logging.getLogger(__name__)
class GAIAWorkflow:
"""
Main GAIA agent workflow using LangGraph
Orchestrates router β specialized agents β synthesizer pipeline
"""
def __init__(self, llm_client: QwenClient):
self.llm_client = llm_client
# Initialize all agents
self.router = RouterAgent(llm_client)
self.web_researcher = WebResearchAgent(llm_client)
self.file_processor = FileProcessorAgent(llm_client)
self.reasoning_agent = ReasoningAgent(llm_client)
self.synthesizer = SynthesizerAgent(llm_client)
# Create workflow graph
self.workflow = self._create_workflow()
# Compile workflow with memory
self.app = self.workflow.compile(checkpointer=MemorySaver())
def _create_workflow(self) -> StateGraph:
"""Create the LangGraph workflow"""
# Define the workflow graph
workflow = StateGraph(GAIAAgentState)
# Add nodes
workflow.add_node("router", self._router_node)
workflow.add_node("web_researcher", self._web_researcher_node)
workflow.add_node("file_processor", self._file_processor_node)
workflow.add_node("reasoning_agent", self._reasoning_agent_node)
workflow.add_node("synthesizer", self._synthesizer_node)
# Define entry point
workflow.set_entry_point("router")
# Add conditional edges from router to agents
workflow.add_conditional_edges(
"router",
self._route_to_agents,
{
"web_researcher": "web_researcher",
"file_processor": "file_processor",
"reasoning_agent": "reasoning_agent",
"multi_agent": "web_researcher", # Start with web researcher for multi-agent
"synthesizer": "synthesizer" # Direct to synthesizer if no agents needed
}
)
# Add edges from agents to synthesizer
workflow.add_edge("web_researcher", "synthesizer")
workflow.add_edge("file_processor", "synthesizer")
workflow.add_edge("reasoning_agent", "synthesizer")
# Add conditional edges for multi-agent scenarios
workflow.add_conditional_edges(
"synthesizer",
self._check_if_complete,
{
"complete": END,
"need_more_agents": "file_processor" # Route to next agent if needed
}
)
return workflow
def _router_node(self, state: GAIAAgentState) -> GAIAAgentState:
"""Router node - classifies question and selects agents"""
logger.info("π§ Executing router node")
return self.router.route_question(state)
def _web_researcher_node(self, state: GAIAAgentState) -> GAIAAgentState:
"""Web researcher node"""
logger.info("π Executing web researcher node")
return self.web_researcher.process(state)
def _file_processor_node(self, state: GAIAAgentState) -> GAIAAgentState:
"""File processor node"""
logger.info("π Executing file processor node")
return self.file_processor.process(state)
def _reasoning_agent_node(self, state: GAIAAgentState) -> GAIAAgentState:
"""Reasoning agent node"""
logger.info("π§ Executing reasoning agent node")
return self.reasoning_agent.process(state)
def _synthesizer_node(self, state: GAIAAgentState) -> GAIAAgentState:
"""Synthesizer node - combines agent results"""
logger.info("π Executing synthesizer node")
return self.synthesizer.process(state)
def _route_to_agents(self, state: GAIAAgentState) -> str:
"""Determine which agent(s) to route to based on router decision"""
selected_agents = state.selected_agents
# Remove synthesizer from routing decision (it's always last)
agent_roles = [agent for agent in selected_agents if agent != AgentRole.SYNTHESIZER]
if not agent_roles:
# No specific agents selected, go directly to synthesizer
return "synthesizer"
elif len(agent_roles) == 1:
# Single agent selected
agent = agent_roles[0]
if agent == AgentRole.WEB_RESEARCHER:
return "web_researcher"
elif agent == AgentRole.FILE_PROCESSOR:
return "file_processor"
elif agent == AgentRole.REASONING_AGENT:
return "reasoning_agent"
else:
return "synthesizer"
else:
# Multiple agents - start with web researcher
# The workflow will handle additional agents in subsequent steps
return "multi_agent"
def _check_if_complete(self, state: GAIAAgentState) -> str:
"""Check if processing is complete or if more agents are needed"""
# If synthesis is complete, we're done
if state.is_complete:
return "complete"
# Check if we need to run additional agents
selected_agents = state.selected_agents
executed_agents = set(result.agent_role for result in state.agent_results)
# Find agents that haven't been executed yet
remaining_agents = [
agent for agent in selected_agents
if agent not in executed_agents and agent != AgentRole.SYNTHESIZER
]
if remaining_agents:
# Route to next agent
next_agent = remaining_agents[0]
if next_agent == AgentRole.FILE_PROCESSOR:
return "need_more_agents" # This will route to file_processor
elif next_agent == AgentRole.REASONING_AGENT:
return "need_more_agents" # Would need additional routing logic
else:
return "complete"
else:
return "complete"
def process_question(self, question: str, file_path: str = None, file_name: str = None,
task_id: str = None, difficulty_level: int = 1) -> GAIAAgentState:
"""
Process a GAIA question through the complete workflow
Args:
question: The question to process
file_path: Optional path to associated file
file_name: Optional name of associated file
task_id: Optional task identifier
difficulty_level: Question difficulty (1-3)
Returns:
GAIAAgentState with final results
"""
logger.info(f"π Processing question: {question[:100]}...")
# Initialize state
initial_state = GAIAAgentState(
question=question,
question_id=task_id or f"workflow_{hash(question) % 10000}",
file_name=file_name,
file_content=None
)
initial_state.file_path = file_path
initial_state.difficulty_level = difficulty_level
try:
# Execute workflow
final_state = self.app.invoke(
initial_state,
config={"configurable": {"thread_id": initial_state.task_id}}
)
logger.info(f"β
Workflow complete: {final_state.final_answer[:100]}...")
return final_state
except Exception as e:
error_msg = f"Workflow execution failed: {str(e)}"
logger.error(error_msg)
# Create error state
initial_state.add_error(error_msg)
initial_state.final_answer = "Workflow execution failed"
initial_state.final_confidence = 0.0
initial_state.final_reasoning = error_msg
initial_state.is_complete = True
initial_state.requires_human_review = True
return initial_state
def get_workflow_visualization(self) -> str:
"""Get a text representation of the workflow"""
return """
GAIA Agent Workflow:
βββββββββββββββ
β Router β β Entry Point
ββββββββ¬βββββββ
β
ββ Web Researcher βββ
ββ File Processor βββ€
ββ Reasoning Agent ββ€
β β
βΌ βΌ
βββββββββββββββ ββββββββββββββββ
β Synthesizer β ββββ€ Agent Results β
ββββββββ¬βββββββ ββββββββββββββββ
β
βΌ
βββββββββββββββ
β END β
βββββββββββββββ
Flow:
1. Router classifies question and selects appropriate agent(s)
2. Selected agents process question in parallel/sequence
3. Synthesizer combines results into final answer
4. Workflow completes with final state
"""
# Simplified workflow for cases where we don't need full LangGraph
class SimpleGAIAWorkflow:
"""
Simplified workflow that doesn't require LangGraph for basic cases
Useful for testing and lightweight deployments
"""
def __init__(self, llm_client: QwenClient):
self.llm_client = llm_client
self.router = RouterAgent(llm_client)
self.web_researcher = WebResearchAgent(llm_client)
self.file_processor = FileProcessorAgent(llm_client)
self.reasoning_agent = ReasoningAgent(llm_client)
self.synthesizer = SynthesizerAgent(llm_client)
def process_question(self, question: str, file_path: str = None, file_name: str = None,
task_id: str = None, difficulty_level: int = 1) -> GAIAAgentState:
"""Process question with simplified sequential workflow"""
# Initialize state
state = GAIAAgentState(
question=question,
question_id=task_id or f"simple_{hash(question) % 10000}",
file_name=file_name,
file_content=None
)
state.file_path = file_path
state.difficulty_level = difficulty_level
try:
# Step 1: Route
state = self.router.route_question(state)
# Step 2: Execute agents
for agent_role in state.selected_agents:
if agent_role == AgentRole.WEB_RESEARCHER:
state = self.web_researcher.process(state)
elif agent_role == AgentRole.FILE_PROCESSOR:
state = self.file_processor.process(state)
elif agent_role == AgentRole.REASONING_AGENT:
state = self.reasoning_agent.process(state)
# Skip synthesizer for now
# Step 3: Synthesize
state = self.synthesizer.process(state)
return state
except Exception as e:
error_msg = f"Simple workflow failed: {str(e)}"
state.add_error(error_msg)
state.final_answer = "Processing failed"
state.final_confidence = 0.0
state.final_reasoning = error_msg
state.is_complete = True
return state
def create_gaia_workflow(llm_client, tools_dict):
"""
Create an enhanced GAIA workflow with multi-phase planning and iterative refinement
"""
# Initialize agents with enhanced capabilities
router = RouterAgent(llm_client)
web_researcher = WebResearchAgent(llm_client)
file_processor = FileProcessorAgent(llm_client)
reasoning_agent = ReasoningAgent(llm_client)
synthesizer = SynthesizerAgent(llm_client)
# Enhanced workflow nodes with multi-step processing
def router_node(state: GAIAAgentState) -> GAIAAgentState:
"""Enhanced router with multi-phase analysis"""
logger.info("π§ Router: Starting multi-phase analysis")
return router.process(state)
def web_researcher_node(state: GAIAAgentState) -> GAIAAgentState:
"""Web researcher with multi-step planning"""
logger.info("π Web Researcher: Starting enhanced research")
return web_researcher.process(state)
def file_processor_node(state: GAIAAgentState) -> GAIAAgentState:
"""File processor with step-by-step analysis"""
logger.info("π File Processor: Starting file analysis")
return file_processor.process(state)
def reasoning_agent_node(state: GAIAAgentState) -> GAIAAgentState:
"""Reasoning agent with systematic approach"""
logger.info("π§ Reasoning Agent: Starting analysis")
return reasoning_agent.process(state)
def synthesizer_node(state: GAIAAgentState) -> GAIAAgentState:
"""Enhanced synthesizer with verification"""
logger.info("π― Synthesizer: Starting GAIA-compliant synthesis")
return synthesizer.process(state)
def should_continue_to_next_agent(state: GAIAAgentState) -> str:
"""
Enhanced routing logic that follows the planned agent sequence
"""
# Get the planned sequence from router
agent_sequence = getattr(state, 'agent_sequence', [])
if not agent_sequence:
logger.warning("No agent sequence found, using fallback routing")
# Fallback to basic routing
if not state.agent_results:
return "web_researcher"
return "synthesizer"
# Count how many agents have been executed
executed_count = len(state.agent_results)
# Check if we've executed all planned agents
if executed_count >= len(agent_sequence):
return "synthesizer"
# Get next agent in sequence
next_agent = agent_sequence[executed_count]
# Map string names to node names
agent_mapping = {
'web_researcher': 'web_researcher',
'file_processor': 'file_processor',
'reasoning_agent': 'reasoning_agent',
'synthesizer': 'synthesizer'
}
return agent_mapping.get(next_agent, 'synthesizer')
def check_quality_and_refinement(state: GAIAAgentState) -> str:
"""
Check if results need refinement before synthesis
"""
if not state.agent_results:
return "synthesizer"
# Check overall quality of results
avg_confidence = sum(r.confidence for r in state.agent_results) / len(state.agent_results)
# If confidence is very low and we haven't tried refinement yet
if avg_confidence < 0.3 and not getattr(state, 'refinement_attempted', False):
logger.info(f"Low confidence ({avg_confidence:.2f}), attempting refinement")
state.refinement_attempted = True
return "refine_approach"
return "synthesizer"
def refinement_node(state: GAIAAgentState) -> GAIAAgentState:
"""
Attempt to refine the approach when initial results are poor
"""
logger.info("π Attempting result refinement")
state.add_processing_step("Workflow: Attempting refinement due to low confidence")
# Analyze what went wrong and try a different approach
router_analysis = getattr(state, 'router_analysis', {})
if router_analysis:
# Try alternative strategy from router analysis
strategy = router_analysis.get('strategy', {})
fallback_strategies = strategy.get('fallback_needed', True)
if fallback_strategies:
# Try web research if it wasn't the primary approach
if not any(r.agent_role == AgentRole.WEB_RESEARCHER for r in state.agent_results):
return web_researcher.process(state)
# Try reasoning if web search was done
elif not any(r.agent_role == AgentRole.REASONING_AGENT for r in state.agent_results):
return reasoning_agent.process(state)
# Fallback: try reasoning agent for additional analysis
return reasoning_agent.process(state)
# Create workflow graph with enhanced routing
workflow = StateGraph(GAIAAgentState)
# Add nodes
workflow.add_node("router", router_node)
workflow.add_node("web_researcher", web_researcher_node)
workflow.add_node("file_processor", file_processor_node)
workflow.add_node("reasoning_agent", reasoning_agent_node)
workflow.add_node("refine_approach", refinement_node)
workflow.add_node("synthesizer", synthesizer_node)
# Set entry point
workflow.set_entry_point("router")
# Enhanced routing edges
workflow.add_conditional_edges(
"router",
should_continue_to_next_agent,
{
"web_researcher": "web_researcher",
"file_processor": "file_processor",
"reasoning_agent": "reasoning_agent",
"synthesizer": "synthesizer"
}
)
# Progressive routing with quality checks
workflow.add_conditional_edges(
"web_researcher",
should_continue_to_next_agent,
{
"file_processor": "file_processor",
"reasoning_agent": "reasoning_agent",
"synthesizer": "synthesizer",
"refine_approach": "refine_approach"
}
)
workflow.add_conditional_edges(
"file_processor",
should_continue_to_next_agent,
{
"web_researcher": "web_researcher",
"reasoning_agent": "reasoning_agent",
"synthesizer": "synthesizer",
"refine_approach": "refine_approach"
}
)
workflow.add_conditional_edges(
"reasoning_agent",
should_continue_to_next_agent,
{
"web_researcher": "web_researcher",
"file_processor": "file_processor",
"synthesizer": "synthesizer",
"refine_approach": "refine_approach"
}
)
# Quality check before synthesis
workflow.add_conditional_edges(
"refine_approach",
check_quality_and_refinement,
{
"synthesizer": "synthesizer",
"refine_approach": "refine_approach" # Allow multiple refinement attempts
}
)
# Synthesizer is the final step
workflow.add_edge("synthesizer", END)
return workflow.compile()
def create_simple_workflow(llm_client, tools_dict):
"""
Enhanced simple workflow with better planning and execution
"""
# Use same agents as complex workflow for consistency
router = RouterAgent(llm_client)
web_researcher = WebResearchAgent(llm_client)
reasoning_agent = ReasoningAgent(llm_client)
synthesizer = SynthesizerAgent(llm_client)
def process_with_planning(state: GAIAAgentState) -> GAIAAgentState:
"""Simple but systematic processing with planning"""
logger.info("π Starting simple workflow with enhanced planning")
# Step 1: Analyze and plan
state = router.process(state)
# Step 2: Execute primary research/reasoning
agent_sequence = getattr(state, 'agent_sequence', ['web_researcher', 'reasoning_agent'])
for agent_name in agent_sequence:
if agent_name == 'web_researcher':
state = web_researcher.process(state)
elif agent_name == 'reasoning_agent':
state = reasoning_agent.process(state)
elif agent_name == 'synthesizer':
break # Synthesizer is handled separately
# Early exit if we have high confidence result
if state.agent_results and state.agent_results[-1].confidence > 0.8:
logger.info("High confidence result achieved, proceeding to synthesis")
break
# Step 3: Synthesize results
state = synthesizer.process(state)
return state
# Create simple workflow graph
workflow = StateGraph(GAIAAgentState)
workflow.add_node("process", process_with_planning)
workflow.set_entry_point("process")
workflow.add_edge("process", END)
return workflow.compile() |