Spaces:
Sleeping
Sleeping
File size: 12,937 Bytes
6fe08b9 | 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 | import os
from typing import TypedDict, Annotated, List, Literal
from langchain_groq import ChatGroq
from langchain_huggingface import HuggingFaceEmbeddings
from langchain_community.vectorstores import FAISS
from langchain_core.prompts import ChatPromptTemplate
from langchain_core.output_parsers import StrOutputParser, JsonOutputParser
from langchain_core.messages import HumanMessage, AIMessage, BaseMessage, SystemMessage
from langchain_core.documents import Document
from langgraph.graph import StateGraph, END
# --- CHANGE 1: IMPORT REDIS AND REDISSAVER ---
from langgraph.checkpoint.memory import MemorySaver
# from langgraph.checkpoint.redis import RedisSaver
# import redis
# --- END CHANGE 1 ---
from langgraph.graph import add_messages
from dotenv import load_dotenv
llm = ChatGroq(
model="llama-3.3-70b-versatile",
temperature=0,
)
classification_llm = ChatGroq(
model="llama-3.3-70b-versatile",
temperature=0.7,
)
embeddings = HuggingFaceEmbeddings(model_name="sentence-transformers/all-MiniLM-L12-v2")
db = FAISS.load_local("vectorstore/faiss_index2", embeddings, allow_dangerous_deserialization=True)
retriever = db.as_retriever(search_kwargs={'k': 3}) #
class AgentState(TypedDict):
messages: Annotated[list, add_messages]
context: List[Document]
rewritten_query: str
query_type: Literal["simple_rag", "comparative_rag", "conversational"]
sub_queries: List[str]
def format_history_for_prompt(messages: list[BaseMessage]) -> str:
buffer = []
for msg in messages:
if isinstance(msg, HumanMessage): buffer.append(f"Human: {msg.content}")
elif isinstance(msg, AIMessage): buffer.append(f"AI: {msg.content}")
return "\n".join(buffer)
def format_docs_for_prompt(docs: List[Document]) -> str:
return "\n\n".join([doc.page_content for doc in docs])
def inject_system_prompt(state: AgentState) -> dict:
print("---NODE: INJECT_SYSTEM_PROMPT (START)---")
has_system_message = any(isinstance(msg, SystemMessage) for msg in state["messages"])
if not has_system_message:
system_prompt = (
"You are a helpful and professional assistant for IIITDMJ. "
"You must answer user questions based *only* on the retrieved context. "
"If the context does not contain the answer, you must state that "
"you do not have that information. Do not make up answers."
)
return {"messages": [SystemMessage(content=system_prompt)]}
return {}
def rewrite_query_node(state: AgentState) -> dict:
print("---NODE: REWRITE_QUERY---")
last_human_message = None
for msg in reversed(state["messages"]):
if isinstance(msg, HumanMessage):
last_human_message = msg
break
last_query = last_human_message.content if last_human_message else ""
chat_history = format_history_for_prompt(state["messages"][:-1])
if not chat_history:
print(f"--- Standalone Query: {last_query} ---")
return {"rewritten_query": last_query}
prompt = ChatPromptTemplate.from_template(
"""Given the following chat history and the user's latest question,
rewrite the user's question to be a standalone question...
Chat History: {chat_history}
Latest Question: {query}
Standalone Question:"""
)
rewrite_chain = prompt | classification_llm | StrOutputParser()
rewritten_query = rewrite_chain.invoke({"chat_history": chat_history, "query": last_query})
print(f"--- Rewritten Query: {rewritten_query} ---")
return {"rewritten_query": rewritten_query}
def classify_query_node(state: AgentState) -> dict:
print("---NODE: CLASSIFY_QUERY---")
query = state["rewritten_query"]
prompt = ChatPromptTemplate.from_template(
"""Classify the user's query into one of three categories:
1. **simple_rag**: ...
2. **comparative_rag**: ...
3. **conversational**: ...
Query: {query}
"""
)
classification_chain = prompt | classification_llm | StrOutputParser()
result = classification_chain.invoke({"query": query})
decision = "simple_rag"
if "comparative_rag" in result.lower(): decision = "comparative_rag"
elif "conversational" in result.lower(): decision = "conversational"
print(f"--- Decision: {decision} ---")
return {"query_type": decision}
def handle_chat_node(state: AgentState) -> dict:
"""
Path A: Generates an answer based *only* on the chat history.
"""
print("---NODE: HANDLE_CHAT---")
# query = state["rewritten_query"]
chat_history = format_history_for_prompt(state["messages"])
prompt = ChatPromptTemplate.from_messages([
("system", "You are a helpful college assistant. Answer the user's question based on the chat history. Be conversational."),
("user", "Here is the chat history (including my last question):\n{chat_history}\n\nNow, please provide a conversational answer.")
])
generation_chain = prompt | llm | StrOutputParser()
answer = generation_chain.invoke({"chat_history": chat_history})
print(f"--- HANDLE_CHAT generated answer: {answer} ---")
return {"messages": [AIMessage(content=answer)]}
def retrieve_docs_node(state: AgentState) -> dict:
print("---NODE: RETRIEVE_DOCS (SIMPLE)---")
query = state["rewritten_query"]
documents = retriever.invoke(query)
print("\n--- RETRIEVED CONTEXT ---")
if documents:
for i, doc in enumerate(documents):
print(f"DOC {i+1}: Source: {doc.metadata.get('source', 'N/A')}, Page: {doc.metadata.get('page', 'N/A')}")
else: print("!!! No context retrieved. !!!")
print("---------------------------\n")
return {"context": documents}
def generate_answer_node(state: AgentState) -> dict:
print("---NODE: GENERATE_ANSWER (SIMPLE)---")
query = state["rewritten_query"]
context_docs = state["context"]
context_str = format_docs_for_prompt(context_docs)
prompt = ChatPromptTemplate.from_messages([
("system", (
"You are a helpful assistant. Answer the user's question based *only* on the retrieved context. "
"If the context is empty or irrelevant, you *must* state that you do not have the information "
"and recommend visiting the official Indian Institute of Information Technology, Design and Manufacturing, Jabalpur (IIITDM Jabalpur) website (https://www.iiitdmj.ac.in/) for more details."
)),
("user", "Context:\n{context}\n\nQuestion:\n{query}")
])
generation_chain = prompt | llm | StrOutputParser()
answer = generation_chain.invoke({"context": context_str, "query": query})
sources = []
if context_docs:
for i, doc in enumerate(context_docs):
source_file = doc.metadata.get('source', 'N/A')
source_name = source_file.split('/')[-1]
page_num = doc.metadata.get('page', 'N/A')
sources.append(f" {i+1}. {source_name} (Page: {page_num})")
if sources and "website" not in answer:
pretty_answer = answer + "\n--- \n**Sources:**\n" + "\n".join(sources)
else:
pretty_answer = answer
return {"messages": [AIMessage(content=pretty_answer)]}
def decompose_query_node(state: AgentState) -> dict:
print("---NODE: DECOMPOSE_QUERY---")
query = state["rewritten_query"]
prompt = ChatPromptTemplate.from_template(
"""You are a query decomposition assistant...
Query: {query}
Respond with a JSON object..."""
)
parser = JsonOutputParser()
decomposition_chain = prompt | classification_llm | parser
result = decomposition_chain.invoke({"query": query})
print(f"--- Sub-queries: {result['queries']} ---")
return {"sub_queries": result['queries']}
def retrieve_multi_docs_node(state: AgentState) -> dict:
print("---NODE: RETRIEVE_DOCS (MULTI)---")
sub_queries = state["sub_queries"]
all_docs = []
for query in sub_queries:
documents = retriever.invoke(query)
all_docs.extend(documents)
unique_docs_map = {doc.page_content: doc for doc in all_docs}
unique_docs = list(unique_docs_map.values())
print("\n--- RETRIEVED CONTEXT (MULTI) ---")
if unique_docs:
for i, doc in enumerate(unique_docs):
print(f"DOC {i+1}: Source: {doc.metadata.get('source', 'N/A')}, Page: {doc.metadata.get('page', 'N/A')}")
else: print("!!! No context retrieved. !!!")
print("---------------------------\n")
return {"context": unique_docs}
def generate_synthesized_answer_node(state: AgentState) -> dict:
print("---NODE: GENERATE_ANSWER (SYNTHESIZED)---")
query = state["rewritten_query"]
context_docs = state["context"]
context_str = format_docs_for_prompt(context_docs)
prompt = ChatPromptTemplate.from_messages([
("system", (
"You are a helpful assistant. Your task is to answer a comparative question based on the provided context. "
"Synthesize the information from the context to form a comprehensive answer. "
"If the context is insufficient, you *must* state that you do not have the information "
"and recommend visiting the official Indian Institute of Information Technology, Design and Manufacturing, Jabalpur (IIITDM Jabalpur) website (https://www.iiitdmj.ac.in/) for more details."
)),
("user", (
"Here is the context I've gathered:\n{context}\n\n"
"Now, please answer this original question:\n{query}"
))
])
generation_chain = prompt | llm | StrOutputParser()
answer = generation_chain.invoke({"context": context_str, "query": query})
sources = []
if context_docs:
for i, doc in enumerate(context_docs):
source_file = doc.metadata.get('source', 'N/A')
source_name = source_file.split('/')[-1]
page_num = doc.metadata.get('page', 'N/A')
sources.append(f" {i+1}. {source_name} (Page: {page_num})")
if sources and "website" not in answer:
pretty_answer = answer + "\n--- \n**Sources:**\n" + "\n".join(sources)
else:
pretty_answer = answer
return {"messages": [AIMessage(content=pretty_answer)]}
def router(state: AgentState) -> Literal["conversational", "simple_rag", "comparative_rag"]:
print(f"--- ROUTING TO: {state['query_type']} ---")
return state["query_type"]
# --- CHANGE 2: REPLACE MemorySaver WITH RedisSaver ---
checkpointer = MemorySaver()
# Default to local redis if REDIS_URL is not set in .env
# REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379")
# try:
# # Connect to Redis
# # decode_responses=True is important for strings
# redis_client = redis.from_url(REDIS_URL, decode_responses=True)
# redis_client.ping() # Test connection
# print("--- Successfully connected to Redis ---")
# checkpointer = RedisSaver(conn=redis_client)
# except Exception as e:
# print(f"--- FAILED to connect to Redis at {REDIS_URL}: {e} ---")
# print("!!! WARNING: Falling back to in-memory checkpointer. History will not be saved. !!!")
# checkpointer = MemorySaver()
# --- END CHANGE 2 ---
def build_graph():
workflow = StateGraph(AgentState)
workflow.add_node("inject_system_prompt", inject_system_prompt)
workflow.add_node("rewrite_query", rewrite_query_node)
workflow.add_node("classify_query", classify_query_node)
workflow.add_node("handle_chat", handle_chat_node)
workflow.add_node("retrieve_docs", retrieve_docs_node)
workflow.add_node("generate_answer", generate_answer_node)
workflow.add_node("decompose_query", decompose_query_node)
workflow.add_node("retrieve_multi_docs", retrieve_multi_docs_node)
workflow.add_node("generate_synthesized_answer", generate_synthesized_answer_node)
workflow.set_entry_point("inject_system_prompt")
workflow.add_edge("inject_system_prompt", "rewrite_query")
workflow.add_edge("rewrite_query", "classify_query")
workflow.add_conditional_edges(
"classify_query",
router,
{
"conversational": "handle_chat",
"simple_rag": "retrieve_docs",
"comparative_rag": "decompose_query"
}
)
workflow.add_edge("handle_chat", END)
workflow.add_edge("retrieve_docs", "generate_answer")
workflow.add_edge("generate_answer", END)
workflow.add_edge("decompose_query", "retrieve_multi_docs")
workflow.add_edge("retrieve_multi_docs", "generate_synthesized_answer")
workflow.add_edge("generate_synthesized_answer", END)
app = workflow.compile(checkpointer=checkpointer)
return app
# We only build the graph here and export it.
# The `main.py` file will import this `chatbot` variable.
chatbot = build_graph()
# Remove the test run from here, as it will be run from main.py
# if __name__ == "__main__":
# ...
|