File size: 14,339 Bytes
ca7a2c2 ac07893 ca7a2c2 17905e6 ca7a2c2 9e98b5a ca7a2c2 ac07893 ca7a2c2 17905e6 ca7a2c2 ac07893 ca7a2c2 ac07893 ca7a2c2 3e3139d f2e9b42 45b1ef5 ca7a2c2 45b1ef5 ca7a2c2 45b1ef5 ca7a2c2 ac07893 ca7a2c2 ac07893 ca7a2c2 ac07893 ca7a2c2 9e98b5a ca7a2c2 9e98b5a ca7a2c2 ac07893 ca7a2c2 |
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 |
"""ReAct Agent - Multi-step reasoning and tool execution.
Implements the ReAct (Reasoning + Acting) pattern:
1. Reason about what to do next
2. Execute a tool
3. Observe the result
4. Repeat until done or max steps reached
"""
import time
import json
import re
from typing import Any
import httpx
from sqlalchemy.ext.asyncio import AsyncSession
from app.agent.state import AgentState, ReActStep
from app.agent.reasoning import (
REACT_SYSTEM_PROMPT,
parse_reasoning_response,
build_reasoning_prompt,
get_tool_purpose,
)
from app.mcp.tools import mcp_tools
from app.shared.integrations.gemini_client import GeminiClient
from app.shared.integrations.megallm_client import MegaLLMClient
from app.shared.logger import agent_logger, AgentWorkflow, WorkflowStep
from app.shared.prompts import (
SYNTHESIS_SYSTEM_PROMPT,
build_synthesis_prompt,
)
# Default coordinates for Da Nang
DANANG_CENTER = (16.0544, 108.2022)
class ReActAgent:
"""
ReAct Agent with multi-step tool chaining.
Allows LLM to reason about each step and decide which tool to call next,
using previous results to inform subsequent actions.
"""
def __init__(self, provider: str = "MegaLLM", model: str | None = None, max_steps: int = 5):
"""
Initialize ReAct agent.
Args:
provider: "Google" or "MegaLLM"
model: Model name
max_steps: Maximum reasoning steps (default 5)
"""
self.provider = provider
self.model = model
self.max_steps = max_steps
self.tools = mcp_tools
# Initialize LLM client
if provider == "Google":
self.llm_client = GeminiClient(model=model)
else:
self.llm_client = MegaLLMClient(model=model)
agent_logger.workflow_step(
"ReAct Agent initialized",
f"Provider: {provider}, Model: {model}, MaxSteps: {max_steps}"
)
async def run(
self,
query: str,
db: AsyncSession,
image_url: str | None = None,
history: str | None = None,
) -> tuple[str, AgentState]:
"""
Run the ReAct loop.
Args:
query: User's query
db: Database session
image_url: Optional image for visual search
history: Conversation history
Returns:
Tuple of (final_response, agent_state)
"""
start_time = time.time()
# Initialize state
state = AgentState(query=query, max_steps=self.max_steps)
agent_logger.api_request(
endpoint="/chat (ReAct)",
method="POST",
body={"query": query[:100], "max_steps": self.max_steps}
)
# ReAct loop
while state.can_continue():
step_start = time.time()
step_number = state.current_step + 1
agent_logger.workflow_step(f"ReAct Step {step_number}", "Reasoning...")
try:
# Step 1: Reason about what to do next
reasoning = await self._reason(state, image_url)
agent_logger.workflow_step(
f"Step {step_number} Thought",
reasoning.thought[:100]
)
agent_logger.workflow_step(
f"Step {step_number} Action",
f"{reasoning.action} → {json.dumps(reasoning.action_input, ensure_ascii=False)[:80]}"
)
# Step 2: Check if done
if reasoning.action == "finish":
state.is_complete = True
state.steps.append(ReActStep(
step_number=step_number,
thought=reasoning.thought,
action="finish",
action_input={},
duration_ms=(time.time() - step_start) * 1000,
))
break
# Step 3: Execute tool
observation = await self._execute_tool(
reasoning.action,
reasoning.action_input,
db,
image_url,
)
result_count = len(observation) if isinstance(observation, list) else 1
agent_logger.tool_result(reasoning.action, result_count)
# Step 4: Add step to state
step = ReActStep(
step_number=step_number,
thought=reasoning.thought,
action=reasoning.action,
action_input=reasoning.action_input,
observation=observation,
duration_ms=(time.time() - step_start) * 1000,
)
state.add_step(step)
except Exception as e:
agent_logger.error(f"ReAct step {step_number} failed", e)
state.error = str(e)
break
# Final synthesis
state.total_duration_ms = (time.time() - start_time) * 1000
if state.error:
final_response = f"Xin lỗi, đã xảy ra lỗi: {state.error}"
selected_place_ids = []
else:
try:
final_response, selected_place_ids = await self._synthesize(state, history)
except httpx.HTTPStatusError as e:
if e.response.status_code == 429:
agent_logger.error("ReAct synthesis failed due to rate limit", e)
final_response = "Xin lỗi, hệ thống đang quá tải. Vui lòng thử lại sau ít phút."
selected_place_ids = []
else:
raise
state.final_answer = final_response
state.selected_place_ids = selected_place_ids # Store for later enrichment
agent_logger.api_response(
"/chat (ReAct)",
200,
{"steps": len(state.steps), "tools": list(state.context.keys()), "places": len(selected_place_ids)},
state.total_duration_ms,
)
return final_response, state
async def _reason(self, state: AgentState, image_url: str | None = None) -> Any:
"""Get LLM reasoning for next step."""
prompt = build_reasoning_prompt(
query=state.query,
context_summary=state.get_context_summary(),
previous_steps=[s.to_dict() for s in state.steps],
image_url=image_url,
)
agent_logger.llm_call(self.provider, self.model or "default", prompt[:100])
response = await self.llm_client.generate(
prompt=prompt,
temperature=0.3, # Lower temp for more deterministic reasoning
system_instruction=REACT_SYSTEM_PROMPT,
)
return parse_reasoning_response(response)
async def _execute_tool(
self,
action: str,
action_input: dict,
db: AsyncSession,
image_url: str | None = None,
) -> Any:
"""Execute a tool and return observation."""
agent_logger.tool_call(action, action_input)
if action == "get_location_coordinates":
location_name = action_input.get("location_name", "")
coords = await self.tools.get_location_coordinates(location_name)
if coords:
return {"lat": coords[0], "lng": coords[1], "location": location_name}
return {"error": f"Location not found: {location_name}"}
elif action == "find_nearby_places":
lat = action_input.get("lat", DANANG_CENTER[0])
lng = action_input.get("lng", DANANG_CENTER[1])
# If lat/lng are from previous step context
if isinstance(lat, str) or isinstance(lng, str):
lat, lng = DANANG_CENTER
results = await self.tools.find_nearby_places(
lat=lat,
lng=lng,
max_distance_km=action_input.get("max_distance_km", 3.0),
category=action_input.get("category"),
limit=action_input.get("limit", 5),
)
return [
{
"place_id": r.place_id,
"name": r.name,
"category": r.category,
"distance_km": r.distance_km,
"rating": r.rating,
}
for r in results
]
elif action == "retrieve_context_text":
results = await self.tools.retrieve_context_text(
db=db,
query=action_input.get("query", ""),
limit=action_input.get("limit", 5),
)
return [
{
"place_id": r.place_id,
"name": r.name,
"category": r.category,
"rating": r.rating,
"source_text": r.source_text[:100] if r.source_text else "",
}
for r in results
]
elif action == "retrieve_similar_visuals":
url = action_input.get("image_url") or image_url
if not url:
return {"error": "No image URL provided"}
results = await self.tools.retrieve_similar_visuals(
db=db,
image_url=url,
limit=action_input.get("limit", 5),
)
return [
{
"place_id": r.place_id,
"name": r.name,
"category": r.category,
"similarity": r.similarity,
}
for r in results
]
elif action == "search_social_media":
results = await self.tools.search_social_media(
query=action_input.get("query", ""),
limit=action_input.get("limit", 5),
freshness=action_input.get("freshness", "pw"),
platforms=action_input.get("platforms"),
)
return [
{
"title": r.title,
"url": r.url,
"age": r.age,
"platform": r.platform,
}
for r in results
]
else:
return {"error": f"Unknown tool: {action}"}
async def _synthesize(self, state: AgentState, history: str | None = None) -> tuple[str, list[str]]:
"""
Synthesize final response from all collected information.
Returns:
Tuple of (response_text, selected_place_ids)
"""
# Build context from all steps
context_parts = []
all_place_ids = [] # Collect all available place_ids
for step in state.steps:
if step.observation and step.action != "finish":
context_parts.append(
f"Kết quả từ {step.action}:\n{json.dumps(step.observation, ensure_ascii=False, indent=2)}"
)
# Collect place_ids from observations
if isinstance(step.observation, list):
for item in step.observation:
if isinstance(item, dict) and 'place_id' in item:
all_place_ids.append(item['place_id'])
context = "\n\n".join(context_parts) if context_parts else "Không có kết quả."
# Build steps summary
steps_summary = "\n".join([
f"- Bước {s.step_number}: {s.thought[:60]}... → {get_tool_purpose(s.action)}"
for s in state.steps
])
prompt = build_synthesis_prompt(
message=state.query,
context=context,
history=history,
include_steps=steps_summary,
)
response = await self.llm_client.generate(
prompt=prompt,
temperature=0.7,
system_instruction=SYNTHESIS_SYSTEM_PROMPT,
)
# Parse JSON response
try:
# Extract JSON from response
json_match = re.search(r'```(?:json)?\s*(\{.*?\})\s*```', response, re.DOTALL)
if json_match:
response = json_match.group(1)
json_start = response.find('{')
json_end = response.rfind('}')
if json_start != -1 and json_end != -1:
response = response[json_start:json_end + 1]
data = json.loads(response)
text_response = data.get("response", response)
selected_ids = data.get("selected_place_ids", [])
# Validate selected_ids are in available places
valid_ids = [pid for pid in selected_ids if pid in all_place_ids]
return text_response, valid_ids
except (json.JSONDecodeError, KeyError):
# Fallback: return raw response with no places
agent_logger.error("Failed to parse synthesis JSON", None)
return response, []
def to_workflow(self, state: AgentState) -> AgentWorkflow:
"""Convert AgentState to AgentWorkflow for response."""
workflow = AgentWorkflow(query=state.query)
workflow.intent_detected = "react_multi_step"
workflow.total_duration_ms = state.total_duration_ms
workflow.tools_used = list(state.context.keys())
for step in state.steps:
workflow.add_step(WorkflowStep(
step_name=f"Step {step.step_number}: {step.thought[:50]}...",
tool_name=step.action if step.action != "finish" else None,
purpose=get_tool_purpose(step.action),
result_count=len(step.observation) if isinstance(step.observation, list) else 0,
duration_ms=step.duration_ms,
))
return workflow
|