Spaces:
Sleeping
Sleeping
File size: 8,089 Bytes
f4e7b4f c832d1c 9590248 c832d1c 9590248 d186b8d 9590248 c832d1c e9f402a 9590248 e9f402a f4e7b4f c832d1c 0a4a544 c9d8fa5 e9f402a 0a4a544 e9f402a c832d1c e9f402a c832d1c e9f402a c832d1c f4e7b4f c832d1c e9f402a c832d1c e9f402a f4e7b4f 9590248 e9f402a 9590248 e9f402a 9590248 e9f402a c832d1c e9f402a 1039466 e9f402a c832d1c 9590248 c832d1c e9f402a c832d1c e9f402a 9590248 c832d1c e9f402a 362a50b d186b8d e9f402a d186b8d e9f402a 362a50b 9590248 d186b8d 30db2dc 9590248 e9f402a 9590248 e9f402a 8293692 e9f402a 9ef413c 0a4a544 e9f402a 0a4a544 e9f402a 0a4a544 e9f402a 3b1eb54 e9f402a 3b1eb54 e9f402a 0a4a544 e9f402a c9d8fa5 e9f402a 3b1eb54 e9f402a |
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 |
import os
import time
import threading
import streamlit as st
from twilio.rest import Client
from sentence_transformers import SentenceTransformer
from transformers import AutoTokenizer
import faiss
import numpy as np
import docx
from groq import Groq
import requests
from io import StringIO
from pdfminer.high_level import extract_text_to_fp
from pdfminer.layout import LAParams
from twilio.base.exceptions import TwilioRestException
import pdfplumber
import datetime
import csv
import json
import re
APP_START_TIME = datetime.datetime.now(datetime.timezone.utc)
os.environ["PYTORCH_JIT"] = "0"
# Twilio Setup
TWILIO_ACCOUNT_SID = os.getenv("TWILIO_ACCOUNT_SID")
TWILIO_AUTH_TOKEN = os.getenv("TWILIO_AUTH_TOKEN")
twilio_client = Client(TWILIO_ACCOUNT_SID, TWILIO_AUTH_TOKEN)
# ---------------- PDF & DOCX & JSON Extraction ----------------
def _extract_tables_from_page(page):
tables = page.extract_tables()
formatted_tables = []
for table in tables:
formatted_row = [[cell if cell is not None else "" for cell in row] for row in table]
formatted_tables.append(formatted_row)
return formatted_tables
def extract_text_from_pdf(pdf_path):
text_output = StringIO()
all_tables = []
try:
with pdfplumber.open(pdf_path) as pdf:
for page in pdf.pages:
all_tables.extend(_extract_tables_from_page(page))
text = page.extract_text()
if text:
text_output.write(text + "\n\n")
except Exception as e:
with open(pdf_path, 'rb') as file:
extract_text_to_fp(file, text_output, laparams=LAParams(), output_type='text')
return text_output.getvalue(), all_tables
def _format_tables_internal(tables):
formatted = []
for table in tables:
with StringIO() as csvfile:
writer = csv.writer(csvfile)
writer.writerows(table)
formatted.append(csvfile.getvalue())
return "\n\n".join(formatted)
def clean_extracted_text(text):
return '\n'.join(' '.join(line.strip().split()) for line in text.splitlines() if line.strip())
def extract_text_from_docx(path):
try:
doc = docx.Document(path)
return '\n'.join(p.text for p in doc.paragraphs)
except:
return ""
def load_json_data(path):
try:
with open(path, 'r', encoding='utf-8') as f:
data = json.load(f)
if isinstance(data, dict):
return "\n".join(f"{k}: {v}" for k, v in data.items() if not isinstance(v, (dict, list)))
elif isinstance(data, list):
return "\n\n".join("\n".join(f"{k}: {v}" for k, v in item.items() if isinstance(item, dict)) for item in data)
else:
return json.dumps(data, ensure_ascii=False, indent=2)
except Exception as e:
return ""
# ---------------- Chunking ----------------
def chunk_text(text, tokenizer, chunk_size=128, chunk_overlap=32):
tokens = tokenizer.tokenize(text)
chunks = []
start = 0
while start < len(tokens):
end = min(start + chunk_size, len(tokens))
chunk = tokens[start:end]
chunks.append(tokenizer.convert_tokens_to_string(chunk))
start += chunk_size - chunk_overlap
return chunks
def retrieve_chunks(question, index, embed_model, text_chunks, k=3):
q_embedding = embed_model.encode(question)
D, I = index.search(np.array([q_embedding]), k)
return [text_chunks[i] for i in I[0]]
# ---------------- Groq Answer Generator ----------------
def generate_answer_with_groq(question, context):
url = "https://api.groq.com/openai/v1/chat/completions"
api_key = os.getenv("GROQ_API_KEY")
headers = {"Authorization": f"Bearer {api_key}", "Content-Type": "application/json"}
prompt = f"Customer asked: '{question}'\n\nHere is the relevant information to help:\n{context}"
payload = {
"model": "llama3-8b-8192",
"messages": [
{"role": "system", "content": "You are ToyBot, a friendly WhatsApp assistant..."},
{"role": "user", "content": prompt},
],
"temperature": 0.5,
"max_tokens": 300,
}
response = requests.post(url, headers=headers, json=payload)
return response.json()['choices'][0]['message']['content'].strip()
# ---------------- Twilio Integration ----------------
def fetch_latest_incoming_message(client, conversation_sid):
try:
messages = client.conversations.v1.conversations(conversation_sid).messages.list()
for msg in reversed(messages):
if (
msg.author.startswith("whatsapp:") and
msg.date_created and
msg.date_created > APP_START_TIME
):
return {
"sid": msg.sid,
"body": msg.body,
"author": msg.author,
"timestamp": msg.date_created,
}
except TwilioRestException:
return None
def send_twilio_message(client, conversation_sid, body):
return client.conversations.v1.conversations(conversation_sid).messages.create(author="system", body=body)
def get_latest_whatsapp_conversation_sid(client):
try:
conversations = client.conversations.v1.conversations.list(limit=20)
# Filter conversations created after app start time
filtered = [
c for c in conversations
if c.date_created and c.date_created > APP_START_TIME
]
for convo in sorted(filtered, key=lambda c: c.date_created, reverse=True):
messages = convo.messages.list(limit=1)
if messages and any(m.author.startswith("whatsapp:") and m.date_created > APP_START_TIME for m in messages):
return convo.sid
except Exception as e:
print("Error fetching valid conversation SID:", e)
return None
# ---------------- Knowledge Base Setup ----------------
def setup_knowledge_base():
folder = "docs"
text = ""
for f in os.listdir(folder):
path = os.path.join(folder, f)
if f.endswith(".pdf"):
t, tables = extract_text_from_pdf(path)
text += clean_extracted_text(t) + "\n" + _format_tables_internal(tables) + "\n"
elif f.endswith(".docx"):
text += clean_extracted_text(extract_text_from_docx(path)) + "\n"
elif f.endswith(".json"):
text += load_json_data(path) + "\n"
elif f.endswith(".csv"):
with open(path, newline='', encoding='utf-8') as csvfile:
reader = csv.reader(csvfile)
text += "\n".join(", ".join(row) for row in reader) + "\n"
return text
# ---------------- App Logic ----------------
def process_messages_loop():
embed_model = SentenceTransformer("sentence-transformers/all-MiniLM-L6-v2")
tokenizer = AutoTokenizer.from_pretrained("bert-base-uncased")
knowledge_text = setup_knowledge_base()
text_chunks = chunk_text(knowledge_text, tokenizer)
embeddings = embed_model.encode(text_chunks)
index = faiss.IndexFlatL2(embeddings.shape[1])
index.add(embeddings)
seen_sids = set()
while True:
conversation_sid = get_latest_whatsapp_conversation_sid(twilio_client)
if not conversation_sid:
time.sleep(5)
continue
message = fetch_latest_incoming_message(twilio_client, conversation_sid)
if message and message["sid"] not in seen_sids:
seen_sids.add(message["sid"])
question = message["body"]
chunks = retrieve_chunks(question, index, embed_model, text_chunks)
answer = generate_answer_with_groq(question, "\n\n".join(chunks))
send_twilio_message(twilio_client, conversation_sid, answer)
time.sleep(5)
# ---------------- Streamlit UI ----------------
st.title("ToyShop WhatsApp Assistant (Groq + Twilio)")
if st.button("Start WhatsApp Bot"):
thread = threading.Thread(target=process_messages_loop)
thread.start()
st.success("WhatsApp assistant started and monitoring for new messages.") |