Spaces:
Sleeping
Sleeping
File size: 7,903 Bytes
86023ac 8ed84d6 86023ac fd1d333 86023ac ac4679c 39f090f 3126a86 86023ac ec29260 584737f 39f090f 86023ac e622544 86023ac e622544 8ae1d4e 39f090f dee7b02 8af9829 e622544 a461459 584737f 86023ac 3126a86 5948801 8af9829 5948801 86023ac 4bb1c18 86023ac 584cb31 86023ac 584cb31 86023ac 945c1d0 86023ac e622544 86023ac 419793f 945c1d0 |
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 |
# imports
import os
from dotenv import load_dotenv
import gradio as gr
# imports for langchain, plotly and Chroma
from langchain_community.document_loaders import DirectoryLoader, TextLoader
from langchain_community.embeddings import HuggingFaceEmbeddings
from langchain.text_splitter import CharacterTextSplitter
from langchain.schema import Document
from langchain_openai import OpenAIEmbeddings, ChatOpenAI
from langchain_chroma import Chroma
from langchain.chat_models import ChatHuggingFace
from langchain.memory import ConversationBufferMemory
from langchain.chains import ConversationalRetrievalChain
from langchain_ollama import ChatOllama
from transformers import AutoModelForCausalLM, AutoTokenizer, pipeline,BitsAndBytesConfig
from langchain.llms import HuggingFacePipeline
from langchain.memory import ConversationBufferMemory
from langchain.chains import ConversationalRetrievalChain
import numpy as np
from sklearn.manifold import TSNE
import plotly.graph_objects as go
import plotly.express as px
import matplotlib.pyplot as plt
from random import randint
import shutil
from dotenv import load_dotenv
from huggingface_hub import login
import torch
db_name = "vector_db"
folder = "my-knowledge-base/"
load_dotenv()
HF_TOKEN = os.getenv("HF_TOKEN")
if HF_TOKEN is None:
raise ValueError("HF_TOKEN is not set. Check your .env file.")
login(HF_TOKEN, add_to_git_credential=True)
model_name = "mistralai/Mistral-7B-Instruct-v0.3"
tokenizer = AutoTokenizer.from_pretrained(model_name)
model = AutoModelForCausalLM.from_pretrained(
model_name,
torch_dtype=torch.float16, # Use float16 for efficiency
device_map="auto" # Automatically selects CPU/GPU
)
def process_files(files):
os.makedirs(folder, exist_ok=True)
processed_files = []
for file in files:
file_path = os.path.join(folder, os.path.basename(file)) # Get filename
shutil.copy(file, file_path)
processed_files.append(os.path.basename(file))
# Load documents using LangChain's DirectoryLoader
text_loader_kwargs = {'autodetect_encoding': True}
loader = DirectoryLoader(folder, glob="**/*.md", loader_cls=TextLoader, loader_kwargs=text_loader_kwargs)
folder_docs = loader.load()
# Assign filenames as metadata
for doc in folder_docs:
filename_md = os.path.basename(doc.metadata["source"])
filename, _ = os.path.splitext(filename_md)
doc.metadata["filename"] = filename
documents = folder_docs
# Split documents into chunks
text_splitter = CharacterTextSplitter(chunk_size=400, chunk_overlap=200)
chunks = text_splitter.split_documents(documents)
# Initialize embeddings
embeddings = HuggingFaceEmbeddings(model_name="sentence-transformers/all-MiniLM-L6-v2")
# Delete previous vectorstore
if os.path.exists(db_name):
Chroma(persist_directory=db_name, embedding_function=embeddings).delete_collection()
# Store in ChromaDB
vectorstore = Chroma.from_documents(documents=chunks, embedding=embeddings, persist_directory=db_name)
# Retrieve results
collection = vectorstore._collection
result = collection.get(include=['embeddings', 'documents', 'metadatas'])
# HF Pipeline
hf_pipeline = pipeline(
"text-generation",
model=model_name,
torch_dtype="auto",
device_map="auto", # Uses GPU if available
max_new_tokens=256, # Adjust output length
)
# Wrap it in LangChain
llm = HuggingFacePipeline(pipeline=hf_pipeline)
memory = ConversationBufferMemory(memory_key='chat_history', return_messages=True)
retriever = vectorstore.as_retriever(search_kwargs={"k": 10})
global conversation_chain
conversation_chain = ConversationalRetrievalChain.from_llm(llm=llm, retriever=retriever, memory=memory)
processed_text = "**Processed Files:**\n\n" + "\n".join(f"- {file}" for file in processed_files)
return result, processed_text
def random_color():
return f"rgb({randint(0,255)},{randint(0,255)},{randint(0,255)})"
def show_embeddings_2d(result):
vectors = np.array(result['embeddings'])
documents = result['documents']
metadatas = result['metadatas']
filenames = [metadata['filename'] for metadata in metadatas]
filenames_unique = sorted(set(filenames))
# color assignment
color_map = {name: random_color() for name in filenames_unique}
colors = [color_map[name] for name in filenames]
tsne = TSNE(n_components=2, random_state=42,perplexity=5)
reduced_vectors = tsne.fit_transform(vectors)
# Create the 2D scatter plot
fig = go.Figure(data=[go.Scatter(
x=reduced_vectors[:, 0],
y=reduced_vectors[:, 1],
mode='markers',
marker=dict(size=5,color=colors, opacity=0.8),
text=[f"Type: {t}<br>Text: {d[:100]}..." for t, d in zip(filenames, documents)],
hoverinfo='text'
)])
fig.update_layout(
title='2D Chroma Vector Store Visualization',
scene=dict(xaxis_title='x',yaxis_title='y'),
width=800,
height=600,
margin=dict(r=20, b=10, l=10, t=40)
)
return fig
def show_embeddings_3d(result):
vectors = np.array(result['embeddings'])
documents = result['documents']
metadatas = result['metadatas']
filenames = [metadata['filename'] for metadata in metadatas]
filenames_unique = sorted(set(filenames))
# color assignment
color_map = {name: random_color() for name in filenames_unique}
colors = [color_map[name] for name in filenames]
tsne = TSNE(n_components=3, random_state=42,perplexity=5)
reduced_vectors = tsne.fit_transform(vectors)
fig = go.Figure(data=[go.Scatter3d(
x=reduced_vectors[:, 0],
y=reduced_vectors[:, 1],
z=reduced_vectors[:, 2],
mode='markers',
marker=dict(size=5, color=colors, opacity=0.8),
text=[f"Type: {t}<br>Text: {d[:100]}..." for t, d in zip(filenames, documents)],
hoverinfo='text'
)])
fig.update_layout(
title='3D Chroma Vector Store Visualization',
scene=dict(xaxis_title='x', yaxis_title='y', zaxis_title='z'),
width=900,
height=700,
margin=dict(r=20, b=10, l=10, t=40)
)
return fig
def chat(question, history):
result = conversation_chain.invoke({"question": question})
return result["answer"]
def visualise_data(result):
fig_2d = show_embeddings_2d(result)
fig_3d = show_embeddings_3d(result)
return fig_2d,fig_3d
css = """
.btn {background-color: #1d53d1;}
"""
with gr.Blocks(css=css) as ui:
gr.Markdown("# Markdown-Based Q&A with Visualization")
with gr.Row():
file_input = gr.Files(file_types=[".md"], label="Upload Markdown Files")
with gr.Column(scale=1):
processed_output = gr.Markdown("Progress")
with gr.Row():
process_btn = gr.Button("Process Files",elem_classes=["btn"])
with gr.Row():
question = gr.Textbox(label="Chat ", lines=10)
answer = gr.Markdown(label= "Response")
with gr.Row():
question_btn = gr.Button("Ask a Question",elem_classes=["btn"])
clear_btn = gr.Button("Clear Output",elem_classes=["btn"])
with gr.Row():
plot_2d = gr.Plot(label="2D Visualization")
plot_3d = gr.Plot(label="3D Visualization")
with gr.Row():
visualise_btn = gr.Button("Visualise Data",elem_classes=["btn"])
result = gr.State([])
# Action: When button is clicked, process files and update visualization
clear_btn.click(fn=lambda:("", ""), inputs=[],outputs=[question, answer])
process_btn.click(process_files, inputs=[file_input], outputs=[result,processed_output])
question_btn.click(chat, inputs=[question], outputs= [answer])
visualise_btn.click(visualise_data, inputs=[result], outputs=[plot_2d,plot_3d])
# Launch Gradio app
if __name__ == "__main__":
ui.launch(share=True) |