Spaces:
Sleeping
Sleeping
File size: 7,673 Bytes
3178432 14e09f9 f625d1c 14e09f9 3178432 | 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 | import streamlit as st
from langchain_core.messages import AIMessage, HumanMessage
from langchain_core.prompts import MessagesPlaceholder
from langchain_ollama import ChatOllama
from langchain_openai import ChatOpenAI
from langchain_core.output_parsers import StrOutputParser
from langchain_core.prompts import ChatPromptTemplate, PromptTemplate
import torch
from langchain_huggingface import ChatHuggingFace
from langchain_huggingface import HuggingFaceEndpoint
import faiss
import tempfile
import os
import time
from langchain_community.vectorstores import FAISS
from langchain_huggingface import HuggingFaceEmbeddings
from langchain_text_splitters import RecursiveCharacterTextSplitter
from langchain.chains import create_history_aware_retriever, create_retrieval_chain
from langchain.chains.combine_documents import create_stuff_documents_chain
from langchain_community.document_loaders import PyPDFLoader
from dotenv import load_dotenv
load_dotenv()
#NEW
import streamlit as st
# # Try importing scipy and other required libraries
# try:
# import scipy
# st.success("Scipy is installed!")
# except ImportError as e:
# st.error("Scipy is not installed. Please make sure to install it before running the app.")
# st.stop() # Stop further execution of the app
# # You can also check for other libraries in a similar way
# try:
# import pypdf
# import langchain
# import torch
# except ImportError as e:
# st.error(f"Error importing: {e}. Make sure all dependencies are installed.")
# st.stop()
#NEW
# Streamlit Settings
st.set_page_config(page_title="Chat with documents π", page_icon="π")
st.title("Chat with documents π")
# Subtitle
st.subheader("Ask questions and get answers from your documents π¬") #newline-d
#new in progress
#
model_class = "hf_hub" # @param ["hf_hub", "openai", "ollama"]
## Model Providers
def model_hf_hub(model="meta-llama/Meta-Llama-3-8B-Instruct", temperature=0.1):
llm = HuggingFaceEndpoint(
repo_id=model,
temperature=temperature,
max_new_tokens=512,
return_full_text=False,
#model_kwargs={
# "max_length": 64,
# #"stop": ["<|eot_id|>"],
#}
)
return llm
def model_openai(model="gpt-4o-mini", temperature=0.1):
llm = ChatOpenAI(
model=model,
temperature=temperature
# other parameters...
)
return llm
def model_ollama(model="phi3", temperature=0.1):
llm = ChatOllama(
model=model,
temperature=temperature,
)
return llm
## Indexing and Retrieval
def config_retriever(uploads):
# Load
docs = []
temp_dir = tempfile.TemporaryDirectory()
for file in uploads:
temp_filepath = os.path.join(temp_dir.name, file.name)
with open(temp_filepath, "wb") as f:
f.write(file.getvalue())
loader = PyPDFLoader(temp_filepath)
docs.extend(loader.load())
# Split
text_splitter = RecursiveCharacterTextSplitter(
chunk_size=1000,
chunk_overlap=200
)
splits = text_splitter.split_documents(docs)
# Embeddings
embeddings = HuggingFaceEmbeddings(model_name="BAAI/bge-m3")
# Store
vectorstore = FAISS.from_documents(splits, embeddings)
vectorstore.save_local('vectorstore/db_faiss')
# Retrieve
retriever = vectorstore.as_retriever(
search_type='mmr',
search_kwargs={'k':3, 'fetch_k':4}
)
return retriever
def config_rag_chain(model_class, retriever):
### Loading the LLM
if model_class == "hf_hub":
llm = model_hf_hub()
elif model_class == "openai":
llm = model_openai()
elif model_class == "ollama":
llm = model_ollama()
# Prompt definition
if model_class.startswith("hf"):
token_s, token_e = "<|begin_of_text|><|start_header_id|>system<|end_header_id|>", "<|eot_id|><|start_header_id|>assistant<|end_header_id|>"
else:
token_s, token_e = "", ""
# Contextualization prompt
context_q_system_prompt = "Given the following chat history and the follow-up question which might reference context in the chat history, formulate a standalone question which can be understood without the chat history. Do NOT answer the question, just reformulate it if needed and otherwise return it as is."
context_q_system_prompt = token_s + context_q_system_prompt
context_q_user_prompt = "Question: {input}" + token_e
context_q_prompt = ChatPromptTemplate.from_messages(
[
("system", context_q_system_prompt),
MessagesPlaceholder("chat_history"),
("human", context_q_user_prompt),
]
)
# Chain for contextualization
history_aware_retriever = create_history_aware_retriever(
llm=llm, retriever=retriever, prompt=context_q_prompt
)
# Q&A Prompt
qa_prompt_template = """You are a helpful virtual assistant answering general questions.
Use the following bits of retrieved context to answer the question.
If you don't know the answer, just say you don't know. Keep your answer concise.
Answer in English. \n\n
Question: {input} \n
Context: {context}"""
qa_prompt = PromptTemplate.from_template(token_s + qa_prompt_template + token_e)
# Configure LLM and Chain for Q&A
qa_chain = create_stuff_documents_chain(llm, qa_prompt)
rag_chain = create_retrieval_chain(
history_aware_retriever,
qa_chain,
)
return rag_chain
## Creates side panel in the interface
uploads = st.sidebar.file_uploader(
label="Upload files", type=["pdf"],
accept_multiple_files=True
)
if not uploads:
st.info("Please send some file to continue!")
st.stop()
if "chat_history" not in st.session_state:
st.session_state.chat_history = [
AIMessage(content="Hi, I'm your virtual assistant! How can I help you?"),
]
if "docs_list" not in st.session_state:
st.session_state.docs_list = None
if "retriever" not in st.session_state:
st.session_state.retriever = None
for message in st.session_state.chat_history:
if isinstance(message, AIMessage):
with st.chat_message("AI"):
st.write(message.content)
elif isinstance(message, HumanMessage):
with st.chat_message("Human"):
st.write(message.content)
# we use time to measure how long it took for generation
start = time.time()
user_query = st.chat_input("Enter your message here...")
if user_query is not None and user_query != "" and uploads is not None:
st.session_state.chat_history.append(HumanMessage(content=user_query))
with st.chat_message("Human"):
st.markdown(user_query)
with st.chat_message("AI"):
if st.session_state.docs_list != uploads:
print(uploads)
st.session_state.docs_list = uploads
st.session_state.retriever = config_retriever(uploads)
rag_chain = config_rag_chain(model_class, st.session_state.retriever)
result = rag_chain.invoke({"input": user_query, "chat_history": st.session_state.chat_history})
resp = result['answer']
st.write(resp)
# show the source
sources = result['context']
for idx, doc in enumerate(sources):
source = doc.metadata['source']
file = os.path.basename(source)
page = doc.metadata.get('page', 'Page not specified')
ref = f":link: Source {idx}: *{file} - p. {page}*"
print(ref)
with st.popover(ref):
st.caption(doc.page_content)
st.session_state.chat_history.append(AIMessage(content=resp))
end = time.time()
print("Time: ", end - start)
|