File size: 11,329 Bytes
f844f16 c9bfbc5 f844f16 |
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 |
"""
Lead Agent - Orchestrates the multi-agent workflow
The Lead Agent is responsible for:
1. Analyzing user queries and determining next steps
2. Managing the iterative research/code loop
3. Deciding when enough information has been gathered
4. Coordinating between specialized agents
5. Maintaining the overall workflow state
"""
import os
from typing import Dict, Any, Literal
from langchain_core.messages import BaseMessage, HumanMessage, SystemMessage, AIMessage
from langgraph.types import Command
from langchain_groq import ChatGroq
from observability import agent_span
from dotenv import load_dotenv
# Import memory system
from memory_system import MemoryManager
load_dotenv("env.local")
# Initialize memory manager
memory_manager = MemoryManager()
def load_system_prompt() -> str:
"""Load the system prompt for the lead agent"""
try:
with open("archive/prompts/system_prompt.txt", "r") as f:
base_prompt = f.read()
lead_prompt = f"""
{base_prompt}
As the Lead Agent, you coordinate a team of specialists:
- Research Agent: Gathers information from web, papers, and knowledge bases
- Code Agent: Performs calculations and executes Python code
Your responsibilities:
1. Analyze the user's question to determine what information and computations are needed
2. Decide whether to delegate to research, code, both, or proceed to final answer
3. Synthesize results from specialists into a coherent draft answer
4. Determine when sufficient information has been gathered
Decision criteria:
- If the question requires factual information, current events, or research β delegate to research
- If the question requires calculations, data analysis, or code execution β delegate to code
- If you have sufficient information to answer β proceed to formatting
- Maximum 3 iterations to prevent infinite loops
Always maintain the exact formatting requirements specified in the system prompt.
"""
return lead_prompt
except FileNotFoundError:
return """You are a helpful assistant coordinating a team of specialists to answer questions accurately."""
def lead_agent(state: Dict[str, Any]) -> Command[Literal["research", "code", "formatter", "__end__"]]:
"""
Lead Agent node that orchestrates the workflow.
Makes decisions about:
- Whether more research is needed
- Whether code execution is needed
- When to proceed to final formatting
- When the loop should terminate
Returns Command with routing decision and state updates.
"""
loop_counter = state.get('loop_counter', 0)
max_iterations = state.get('max_iterations', 3)
print(f"π― Lead Agent: Processing request (iteration {loop_counter})")
# Check for termination conditions first
if loop_counter >= max_iterations:
print("π Maximum iterations reached, proceeding to formatter")
# Create draft answer even when max iterations reached
research_notes = state.get("research_notes", "")
code_outputs = state.get("code_outputs", "")
messages = state.get("messages", [])
user_query = ""
for msg in messages:
if isinstance(msg, HumanMessage):
user_query = msg.content
break
# Create a comprehensive draft answer from gathered information
draft_prompt = f"""
Create a comprehensive answer based on all gathered information:
Original Question: {user_query}
Research Information:
{research_notes}
Code Results:
{code_outputs}
Instructions:
1. Synthesize all available information to answer the question
2. If computational results are available, include them
3. If research provides context, incorporate it
4. Provide a clear, direct answer to the user's question
5. Focus on accuracy and completeness
What is your answer to the user's question?
"""
try:
# Initialize LLM for draft creation
llm = ChatGroq(
model="llama-3.3-70b-versatile",
temperature=0.1,
max_tokens=1024
)
system_prompt = load_system_prompt()
draft_messages = [
SystemMessage(content=system_prompt),
HumanMessage(content=draft_prompt)
]
draft_response = llm.invoke(draft_messages)
draft_content = draft_response.content if hasattr(draft_response, 'content') else str(draft_response)
print(f"π Lead Agent: Created draft answer at max iterations ({len(draft_content)} characters)")
return Command(
goto="formatter",
update={
"loop_counter": loop_counter + 1,
"next": "formatter",
"draft_answer": draft_content
}
)
except Exception as e:
print(f"β οΈ Error creating draft answer at max iterations: {e}")
# Fallback - create a simple answer from available data
fallback_answer = f"Based on the available information:\n\nResearch: {research_notes}\nCalculations: {code_outputs}"
return Command(
goto="formatter",
update={
"loop_counter": loop_counter + 1,
"next": "formatter",
"draft_answer": fallback_answer
}
)
try:
# Get the system prompt
system_prompt = load_system_prompt()
# Initialize LLM
llm = ChatGroq(
model="llama-3.3-70b-versatile",
temperature=0.1, # Low temperature for consistent routing decisions
max_tokens=1024
)
# Create agent span for tracing
with agent_span(
"lead",
metadata={
"loop_counter": loop_counter,
"research_notes_length": len(state.get("research_notes", "")),
"code_outputs_length": len(state.get("code_outputs", "")),
"user_id": state.get("user_id", "unknown"),
"session_id": state.get("session_id", "unknown")
}
) as span:
# Build context for decision making
messages = state.get("messages", [])
research_notes = state.get("research_notes", "")
code_outputs = state.get("code_outputs", "")
# Get the original user query
user_query = ""
for msg in messages:
if isinstance(msg, HumanMessage):
user_query = msg.content
break
# Check for similar questions in memory
similar_context = ""
if user_query:
try:
similar_qa = memory_manager.get_similar_qa(user_query)
if similar_qa:
similar_context = f"\n\nSimilar previous Q&A:\n{similar_qa}"
except Exception as e:
print(f"πΎ Memory cache hit") # Simplified message
# Build decision prompt
decision_prompt = f"""
Based on the user's question and current progress, decide the next action.
Original Question: {user_query}
Current Progress:
- Loop iteration: {loop_counter}
- Research gathered: {len(research_notes)} characters
- Code outputs: {len(code_outputs)} characters
Research Notes So Far:
{research_notes if research_notes else "None yet"}
Code Outputs So Far:
{code_outputs if code_outputs else "None yet"}
{similar_context}
Analyze what's still needed:
1. Is factual information, current events, or research missing? β route to "research"
2. Are calculations, data analysis, or code execution needed? β route to "code"
3. Do we have sufficient information to provide a complete answer? β route to "formatter"
Respond with ONLY one of: research, code, formatter
"""
# Get decision from LLM
decision_messages = [
SystemMessage(content=system_prompt),
HumanMessage(content=decision_prompt)
]
response = llm.invoke(decision_messages)
decision = response.content.strip().lower()
# Validate decision
valid_decisions = ["research", "code", "formatter"]
if decision not in valid_decisions:
print(f"β οΈ Invalid decision '{decision}', defaulting to 'research'")
decision = "research"
# Prepare state updates
updates = {
"loop_counter": loop_counter + 1,
"next": decision
}
# If we're done, create draft answer
if decision == "formatter":
# Create a comprehensive draft answer from gathered information
draft_prompt = f"""
Create a comprehensive answer based on all gathered information:
Original Question: {user_query}
Research Information:
{research_notes}
Code Results:
{code_outputs}
Instructions:
1. Synthesize all available information to answer the question
2. If computational results are available, include them
3. If research provides context, incorporate it
4. Provide a clear, direct answer to the user's question
5. Focus on accuracy and completeness
What is your answer to the user's question?
"""
draft_messages = [
SystemMessage(content=system_prompt),
HumanMessage(content=draft_prompt)
]
try:
draft_response = llm.invoke(draft_messages)
draft_content = draft_response.content if hasattr(draft_response, 'content') else str(draft_response)
updates["draft_answer"] = draft_content
print(f"π Lead Agent: Created draft answer ({len(draft_content)} characters)")
except Exception as e:
print(f"β οΈ Error creating draft answer: {e}")
# Fallback - create a simple answer from available data
fallback_answer = f"Based on the available information:\n\nResearch: {research_notes}\nCalculations: {code_outputs}"
updates["draft_answer"] = fallback_answer
# Log decision
print(f"π― Lead Agent Decision: {decision} (iteration {loop_counter + 1})")
if span:
span.update_trace(output={"decision": decision, "updates": updates})
return Command(
goto=decision,
update=updates
)
except Exception as e:
print(f"β Lead Agent Error: {e}")
# On error, proceed to formatter with error message
return Command(
goto="formatter",
update={
"draft_answer": f"I encountered an error while processing your request: {str(e)}",
"loop_counter": loop_counter + 1,
"next": "formatter"
}
) |