File size: 25,892 Bytes
73cddce e7d2e67 73cddce 0970c78 73cddce 0970c78 73cddce 3fa0e2d 73cddce 0970c78 73cddce 4313e74 e7d2e67 4313e74 73cddce 0970c78 73cddce 0970c78 73cddce 0970c78 73cddce 0970c78 73cddce 3fa0e2d 73cddce 3fa0e2d 73cddce 3fa0e2d 73cddce 3fa0e2d 73cddce 3fa0e2d 73cddce 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 73cddce 3642788 73cddce 3642788 73cddce 3642788 73cddce 0970c78 73cddce 0970c78 3642788 0970c78 3642788 73cddce 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 0970c78 3642788 73cddce 3fa0e2d 73cddce 0970c78 73cddce 0970c78 73cddce e9c0664 0970c78 e9c0664 0970c78 e9c0664 0970c78 73cddce e9c0664 0970c78 73cddce 0970c78 e9c0664 73cddce e9c0664 0970c78 73cddce |
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 |
from typing import Sequence, Optional, List
from datetime import date
from langgraph.graph import StateGraph, END
from langchain_core.messages import HumanMessage, AIMessage, BaseMessage, SystemMessage
from src.graph_state import GraphState
from src.llm import llm
from src.prompts import response_gen_prompt, routing_prompt
from src.tools import extract_entities_tool, search_tours_tool, fetch_locations_tool
from src.database import get_available_locations, get_tour_by_id
def fetch_context(state: GraphState) -> GraphState:
current_date_str = date.today().strftime('%Y-%m-%d')
locations = fetch_locations_tool()
if not locations:
locations = []
user_query = ""
if state.get("messages"):
last_message = state["messages"][-1]
if isinstance(last_message, HumanMessage):
user_query = last_message.content
return {
**state,
"current_date": current_date_str,
"available_locations": locations,
"user_query": user_query
}
def route_query(state: GraphState) -> GraphState:
user_query = state.get("user_query", "")
messages = state.get("messages", [])
chat_history = "\n".join([f"{m.type}: {m.content}" for m in messages[:-1]])
if not user_query:
return {**state, "routing_decision": "error_state"}
payment_keywords = ["thanh toán", "payment", "chi trả", "trả tiền", "phương thức thanh toán"]
if any(kw in user_query.lower() for kw in payment_keywords):
return {**state, "routing_decision": "respond"}
prompt = routing_prompt.format(chat_history=chat_history, user_query=user_query)
try:
ai_message = llm.invoke(prompt)
route = ai_message.content.strip().lower()
route = route.strip('`').strip('"').strip("'").strip()
valid_routes = ["search", "respond", "book", "out_of_scope", "error_state"]
if route not in valid_routes:
route = "respond"
return {**state, "routing_decision": route}
except Exception as e:
return {**state, "routing_decision": "respond", "error": str(e)}
def get_routing_decision(state: GraphState) -> str:
decision = state.get("routing_decision", "respond")
return decision
def extract_entities(state: GraphState) -> GraphState:
user_query = state.get("user_query", "")
current_date_str = state.get("current_date", date.today().strftime('%Y-%m-%d'))
if not user_query:
return {**state, "error": "No user query provided", "extracted_entities": None}
entities = extract_entities_tool(user_query, current_date_str)
if entities and isinstance(entities, dict) and "error" in entities:
return {**state, "error": entities["error"], "extracted_entities": None}
return {**state, "extracted_entities": entities, "error": None}
def search_tours(state: GraphState) -> GraphState:
entities = state.get("extracted_entities")
if not entities or "error" in entities:
return {**state, "search_results": []}
try:
search_results = search_tours_tool(entities)
if search_results is None:
search_results = []
return {**state, "search_results": search_results}
except Exception as e:
return {**state, "search_results": [], "error": str(e)}
def generate_response(state: GraphState) -> GraphState:
user_query = state.get("user_query", "")
if not user_query:
error_message = "Xin lỗi, tôi không nhận được câu hỏi của bạn. Vui lòng thử lại."
messages = state.get("messages", [])
updated_messages = list(messages) + [AIMessage(content=error_message)]
return {**state, "messages": updated_messages, "final_response": error_message, "error": "No user query"}
user_query = user_query.lower()
messages = state.get("messages", [])
search_results = state.get("search_results", [])
payment_keywords = ["thanh toán", "payment", "chi trả", "trả tiền", "phương thức thanh toán"]
support_keywords = ["hỗ trợ", "tư vấn", "giúp đỡ", "support", "contact", "liên hệ"]
is_payment_query = any(kw in user_query for kw in payment_keywords)
is_support_query = any(kw in user_query for kw in support_keywords)
if is_payment_query:
response_content = (
"Chúng tôi cung cấp các phương thức thanh toán sau:\n\n"
"1. Thanh toán trực tuyến:\n"
" - VNPay: Thanh toán qua ví điện tử VNPay hoặc thẻ ngân hàng nội địa\n"
" - Stripe: Thanh toán quốc tế qua thẻ Visa/Mastercard\n\n"
"2. Thanh toán trực tiếp:\n"
" - Liên hệ trực tiếp với nhà cung cấp tour để được hướng dẫn\n\n"
"Quy trình thanh toán:\n"
"1. Chọn tour bạn muốn đặt\n"
"2. Nhấp vào nút 'Đặt Tour'\n"
"3. Điền thông tin cần thiết\n"
"4. Chọn phương thức thanh toán mong muốn\n"
"5. Làm theo hướng dẫn để hoàn tất thanh toán\n\n"
"Để được hỗ trợ thêm về thanh toán, vui lòng liên hệ với chúng tôi qua trang: https://travel-fe-three.vercel.app/contact"
)
updated_messages = list(messages) + [AIMessage(content=response_content)]
return {**state, "messages": updated_messages, "final_response": response_content, "error": None}
if is_support_query:
response_content = (
"Để được hỗ trợ thêm hoặc tư vấn chi tiết, bạn vui lòng truy cập trang liên hệ của chúng tôi: "
"https://travel-fe-three.vercel.app/contact"
)
updated_messages = list(messages) + [AIMessage(content=response_content)]
return {**state, "messages": updated_messages, "final_response": response_content, "error": None}
if search_results is None:
search_results = []
error = state.get("error")
itinerary_keywords = ["lịch trình", "hành trình", "lộ trình", "chương trình du lịch", "kế hoạch du lịch"]
booking_keywords = ["đặt tour", "book tour", "đặt chỗ", "đăng ký tour", "mua tour", "đặt vé", "reserve", "tôi muốn đi", "tôi muốn đặt"]
is_ask_itinerary = any(kw in user_query for kw in itinerary_keywords)
is_booking_request = any(kw in user_query for kw in booking_keywords)
tour_name = None
tour_id = None
itinerary_text = None
tour_index = None
if is_ask_itinerary:
import re
last_tour_name = None
last_tour_id = None
last_tour_index = None
match3 = re.search(r"tour *(thứ|số)? *(\d+|một|hai|ba|bốn|năm|đầu tiên)", user_query, re.IGNORECASE)
if match3:
val = match3.group(2).strip().lower()
num_map = {"một": 1, "hai": 2, "ba": 3, "bốn": 4, "năm": 5, "đầu tiên": 1}
try:
idx = int(val)
except:
idx = num_map.get(val, None)
if idx:
last_tour_index = idx - 1
if not last_tour_name and not last_tour_id:
user_mentioned_tour = re.search(r"tour:?\s*(.+?)(?:\s*\(|$)", user_query, re.IGNORECASE)
if user_mentioned_tour:
potential_tour_name = user_mentioned_tour.group(1).strip()
if len(potential_tour_name) > 10:
last_tour_name = potential_tour_name
if last_tour_index is None and last_tour_id is None and last_tour_name is None:
for m in reversed(messages[:-1]):
if hasattr(m, 'content') and m.content:
match = re.search(r"\*?\*?tour:?\s*(.+?)\s*\(ID:\s*(\d+)\)", m.content, re.IGNORECASE)
if match:
last_tour_name = match.group(1).strip()
last_tour_id = int(match.group(2))
break
id_match = re.search(r"\(ID:\s*(\d+)\)", m.content, re.IGNORECASE)
if id_match:
last_tour_id = int(id_match.group(1))
break
match2 = re.search(r"\*?\*?tour:?\s*([^\(\n]+)", m.content, re.IGNORECASE)
if match2:
last_tour_name = match2.group(1).strip()
break
match3_hist = re.search(r"tour *(thứ|số)? *(\d+|một|hai|ba|bốn|năm|đầu tiên)", m.content, re.IGNORECASE)
if match3_hist:
val_hist = match3_hist.group(2).strip().lower()
num_map_hist = {"một": 1, "hai": 2, "ba": 3, "bốn": 4, "năm": 5, "đầu tiên": 1}
try:
idx_hist = int(val_hist)
except:
idx_hist = num_map_hist.get(val_hist, None)
if idx_hist:
last_tour_index = idx_hist - 1
break
found_tour = None
if not search_results and last_tour_id:
try:
from src.database import get_tour_by_id
db_tour = get_tour_by_id(last_tour_id)
if db_tour:
from src.tools import format_itineraries
search_results = format_itineraries([db_tour])
except Exception as e:
pass
if search_results:
if last_tour_index is not None and 0 <= last_tour_index < len(search_results):
found_tour = search_results[last_tour_index]
elif last_tour_id:
for t in search_results:
if str(t.get("tour_id")) == str(last_tour_id):
found_tour = t
break
elif last_tour_name:
for t in search_results:
if last_tour_name.lower() in t.get("title", "").lower():
found_tour = t
break
if not found_tour and search_results and (
"tour thứ 1" in user_query.lower() or
"tour đầu tiên" in user_query.lower() or
"tour thứ nhất" in user_query.lower()):
found_tour = search_results[0]
if not found_tour and search_results:
found_tour = search_results[0]
if found_tour:
if found_tour.get("itinerary"):
itinerary_text = f"Lịch trình chi tiết của tour {found_tour.get('title', '')} (ID: {found_tour.get('tour_id', '')}):\n\n{found_tour.get('itinerary')}"
else:
itinerary_text = f"Xin lỗi, hiện tại tôi chưa có thông tin chi tiết về lịch trình của tour {found_tour.get('title', '')} (ID: {found_tour.get('tour_id', '')})."
else:
if last_tour_id:
itinerary_text = f"Xin lỗi, tôi không tìm thấy thông tin chi tiết cho tour có ID {last_tour_id}. Vui lòng thử lại sau."
else:
itinerary_text = "Xin lỗi, tôi không tìm thấy thông tin lịch trình cho tour bạn quan tâm. Bạn có thể cung cấp tên tour hoặc ID tour không?"
final_response_content = itinerary_text
updated_messages = list(messages) + [AIMessage(content=final_response_content)]
return {**state, "messages": updated_messages, "final_response": final_response_content, "error": None}
if error:
search_results_str = f"An error occurred in a previous step: {error}"
elif search_results:
unique_tours = {}
for tour in search_results:
tour_id = tour.get('tour_id')
if tour_id is None:
continue
if tour_id not in unique_tours:
unique_tours[tour_id] = []
unique_tours[tour_id].append(tour)
sorted_unique_tours = []
for tour_id, departures in unique_tours.items():
departures.sort(key=lambda x: x.get('start_date', ''))
representative_tour = departures[0]
representative_tour['departure_count'] = len(departures)
representative_tour['all_departures'] = departures
sorted_unique_tours.append(representative_tour)
sorted_unique_tours.sort(key=lambda x: x.get('start_date', ''))
results_summary = []
for i, tour in enumerate(sorted_unique_tours[:5]):
price_adult = f"{tour['price_adult']:,.0f} VND" if tour.get('price_adult') else "N/A"
price_child_120 = f"{tour['price_child_120_140']:,.0f} VND" if tour.get('price_child_120_140') else "N/A"
price_child_100 = f"{tour['price_child_100_120']:,.0f} VND" if tour.get('price_child_100_120') else "N/A"
promo_info = ""
if tour.get('promotion_id'):
discount_str = f"{tour['promotion_discount']}%" if tour.get('promotion_type') == 'percent' else f"{tour['promotion_discount']:,.0f} VND"
promo_info = f" (KM: {tour['promotion_name']} - Giảm {discount_str})"
departure_info = ""
if tour['departure_count'] > 1:
departure_info = f" ({tour['departure_count']} ngày khởi hành)"
summary = (
f"{i+1}. Tour: {tour.get('title', 'N/A')} (ID: {tour.get('tour_id')}){departure_info}\n"
f" Khởi hành sớm nhất: {tour.get('start_date', 'N/A')}\n"
f" Thời gian: {tour.get('duration', 'N/A')}\n"
f" Giá người lớn: {price_adult}{promo_info}\n"
f" Giá trẻ em (1m2-1m4): {price_child_120}\n"
f" Giá trẻ em (1m-1m2): {price_child_100}"
)
results_summary.append(summary)
search_results_str = "\n".join(results_summary)
remaining_tours = len(sorted_unique_tours) - 5
if remaining_tours > 0:
search_results_str += f"\n... và {remaining_tours} tour khác nữa."
total_unique_tours = len(sorted_unique_tours)
total_departures = len(search_results)
search_results_str += f"\n\nTổng cộng: {total_unique_tours} tour khác nhau với {total_departures} ngày khởi hành."
search_results_str += "\n\nLưu ý: Giá vé này chưa bao gồm vé cho em bé dưới 100cm (thường được miễn phí vé dịch vụ tour, chỉ tính vé máy bay/tàu nếu có và chi phí phát sinh nếu sử dụng dịch vụ riêng)."
elif state.get("extracted_entities") and not search_results:
extracted_entities = state.get("extracted_entities", {})
destination = extracted_entities.get("destination")
if destination:
dest_name = destination if isinstance(destination, str) else (destination[0] if destination else None)
if dest_name:
from src.tools import get_available_tours_for_destination
available_tours = get_available_tours_for_destination(dest_name, limit=5)
if available_tours:
unique_tours = {}
for tour in available_tours:
tour_id = tour.get('tour_id')
if tour_id is None:
continue
if tour_id not in unique_tours:
unique_tours[tour_id] = []
unique_tours[tour_id].append(tour)
sorted_unique_tours = []
for tour_id, departures in unique_tours.items():
departures.sort(key=lambda x: x.get('start_date', ''))
representative_tour = departures[0]
representative_tour['departure_count'] = len(departures)
representative_tour['all_departures'] = departures
sorted_unique_tours.append(representative_tour)
sorted_unique_tours.sort(key=lambda x: x.get('start_date', ''))
results_summary = []
for i, tour in enumerate(sorted_unique_tours):
price_adult = f"{tour['price_adult']:,.0f} VND" if tour.get('price_adult') else "N/A"
price_child_120 = f"{tour['price_child_120_140']:,.0f} VND" if tour.get('price_child_120_140') else "N/A"
price_child_100 = f"{tour['price_child_100_120']:,.0f} VND" if tour.get('price_child_100_120') else "N/A"
promo_info = ""
if tour.get('promotion_id'):
discount_str = f"{tour['promotion_discount']}%" if tour.get('promotion_type') == 'percent' else f"{tour['promotion_discount']:,.0f} VND"
promo_info = f" (KM: {tour['promotion_name']} - Giảm {discount_str})"
departure_info = ""
if tour['departure_count'] > 1:
departure_info = f" ({tour['departure_count']} ngày khởi hành)"
summary = (
f"{i+1}. Tour: {tour.get('title', 'N/A')} (ID: {tour.get('tour_id')}){departure_info}\n"
f" Khởi hành sớm nhất: {tour.get('start_date', 'N/A')}\n"
f" Thời gian: {tour.get('duration', 'N/A')}\n"
f" Giá người lớn: {price_adult}{promo_info}\n"
f" Giá trẻ em (1m2-1m4): {price_child_120}\n"
f" Giá trẻ em (1m-1m2): {price_child_100}"
)
results_summary.append(summary)
total_unique_tours = len(sorted_unique_tours)
total_departures = len(available_tours)
search_results_str = f"Dưới đây là các tour đi {dest_name} hiện có:\n\n" + "\n".join(results_summary)
search_results_str += f"\n\nTổng cộng: {total_unique_tours} tour khác nhau với {total_departures} ngày khởi hành."
search_results_str += "\n\nLưu ý: Giá vé này chưa bao gồm vé cho em bé dưới 100cm (thường được miễn phí vé dịch vụ tour, chỉ tính vé máy bay/tàu nếu có và chi phí phát sinh nếu sử dụng dịch vụ riêng)."
else:
search_results_str = f"Xin lỗi, hiện tại chúng tôi chưa có tour nào đi {dest_name}. Bạn có thể tham khảo các điểm đến khác hoặc liên hệ để được tư vấn thêm."
else:
search_results_str = "Xin lỗi, tôi không tìm thấy tour nào phù hợp với yêu cầu của bạn."
else:
search_results_str = "Xin lỗi, tôi không tìm thấy tour nào phù hợp với yêu cầu của bạn."
else:
search_results_str = "Không có thông tin tìm kiếm liên quan."
chat_history_messages = []
chat_history = ""
if messages:
history_to_include = messages[:-1]
if history_to_include:
chat_history = "\n".join([f"{m.type}: {m.content}" for m in history_to_include])
chat_history_messages.extend(history_to_include)
tour_id_for_prompt = ""
if search_results:
for tour in search_results:
if tour.get('tour_id'):
tour_id_for_prompt = str(tour['tour_id'])
break
prompt = response_gen_prompt.format_messages(
chat_history_messages=chat_history_messages,
chat_history=chat_history,
search_results=search_results_str,
user_query=user_query,
tour_id=tour_id_for_prompt
)
try:
ai_response = llm.invoke(prompt)
final_response_content = ai_response.content
updated_messages = list(messages) + [AIMessage(content=final_response_content)]
return {**state, "messages": updated_messages, "final_response": final_response_content, "error": None}
except Exception as e:
error_message = "Xin lỗi, tôi gặp sự cố khi tạo câu trả lời."
updated_messages = list(messages) + [AIMessage(content=error_message)]
return {**state, "messages": updated_messages, "final_response": error_message, "error": str(e)}
def handle_error(state: GraphState) -> GraphState:
error = state.get("error", "Lỗi không xác định.")
error_message = f"Xin lỗi, đã có lỗi xảy ra: {error}. Vui lòng thử lại hoặc hỏi khác đi."
messages = list(state.get("messages", [])) + [AIMessage(content=error_message)]
return {**state, "messages": messages, "final_response": error_message}
def handle_out_of_scope(state: GraphState) -> GraphState:
user_query = state.get("user_query", "")
messages = state.get("messages", [])
out_of_scope_message = "Xin lỗi, tôi chỉ có thể hỗ trợ bạn về tìm kiếm tour và thông tin chi tiết về các tour du lịch. Bạn có thể hỏi tôi về các tour, lịch trình, giá cả, hoặc thời gian khởi hành của các tour không?"
updated_messages = list(messages) + [AIMessage(content=out_of_scope_message)]
return {**state, "messages": updated_messages, "final_response": out_of_scope_message, "error": None}
def handle_booking(state: GraphState) -> GraphState:
"""Handle booking requests by extracting tour ID and providing booking instructions."""
user_query = state.get("user_query", "")
messages = state.get("messages", [])
search_results = state.get("search_results", [])
tour_id = None
try:
if search_results and len(search_results) > 0:
if len(search_results) == 1:
tour_id = search_results[0].get("tour_id")
else:
import re
for tour in search_results:
tour_title = tour.get("title", "").lower()
if any(word in user_query.lower() for word in tour_title.split() if len(word) > 3):
tour_id = tour.get("tour_id")
break
if not tour_id:
tour_id = search_results[0].get("tour_id")
if not tour_id:
import re
for message in reversed(messages):
if hasattr(message, 'content') and message.content:
id_match = re.search(r'\(ID: (\d+)\)', message.content)
if id_match:
tour_id = int(id_match.group(1))
break
tour_match = re.search(r'tour.*?(\d+)', message.content.lower())
if tour_match:
potential_id = tour_match.group(1)
if len(potential_id) > 2:
tour_id = int(potential_id)
break
if tour_id is not None and str(tour_id).isdigit():
tour_id_str = str(tour_id)
booking_message = (
f"Để đặt tour này, bạn vui lòng truy cập: https://travel-fe-three.vercel.app/tour/detail-tour/{tour_id_str}\n\n"
"Sau khi truy cập link, bạn hãy:\n"
"1. Nhấp vào nút 'Đặt Tour'\n"
"2. Điền đầy đủ thông tin yêu cầu\n"
"3. Hoàn tất thanh toán theo hướng dẫn trên trang"
)
else:
booking_message = (
"Để đặt tour, bạn vui lòng truy cập trang chủ: https://travel-fe-three.vercel.app\n\n"
"Sau đó tìm kiếm tour phù hợp với nhu cầu của bạn, chọn tour mong muốn và nhấp 'Đặt Tour' "
"để hoàn tất đặt tour và thanh toán theo hướng dẫn trên trang."
)
except Exception as e:
booking_message = (
"Để đặt tour, bạn vui lòng truy cập trang chủ: https://travel-fe-three.vercel.app\n\n"
"Sau đó tìm kiếm tour phù hợp với nhu cầu của bạn, chọn tour mong muốn và nhấp 'Đặt Tour' "
"để hoàn tất đặt tour và thanh toán theo hướng dẫn trên trang."
)
updated_messages = list(messages) + [AIMessage(content=booking_message)]
return {**state, "messages": updated_messages, "final_response": booking_message, "error": None}
def build_graph():
workflow = StateGraph(GraphState)
workflow.add_node("fetch_context", fetch_context)
workflow.add_node("route_query", route_query)
workflow.add_node("extract_entities", extract_entities)
workflow.add_node("search_tours", search_tours)
workflow.add_node("generate_response", generate_response)
workflow.add_node("handle_error", handle_error)
workflow.add_node("handle_out_of_scope", handle_out_of_scope)
workflow.add_node("handle_booking", handle_booking)
workflow.set_entry_point("fetch_context")
workflow.add_edge("fetch_context", "route_query")
workflow.add_conditional_edges(
"route_query",
get_routing_decision,
{
"search": "extract_entities",
"respond": "generate_response",
"book": "handle_booking",
"out_of_scope": "handle_out_of_scope",
"error_state": "handle_error",
}
)
workflow.add_edge("extract_entities", "search_tours")
workflow.add_edge("search_tours", "generate_response")
workflow.add_edge("generate_response", END)
workflow.add_edge("handle_error", END)
workflow.add_edge("handle_out_of_scope", END)
workflow.add_edge("handle_booking", END)
app = workflow.compile()
return app
graph_app = build_graph() |