Spaces:
Sleeping
Sleeping
Update app.py
Browse files
app.py
CHANGED
|
@@ -1,16 +1,10 @@
|
|
| 1 |
-
# app.py -
|
| 2 |
import os
|
| 3 |
import re
|
| 4 |
-
import ast
|
| 5 |
-
import operator
|
| 6 |
import logging
|
| 7 |
-
import requests
|
| 8 |
import tempfile
|
| 9 |
-
import time
|
| 10 |
from pathlib import Path
|
| 11 |
-
from typing import List, Dict
|
| 12 |
-
from datetime import datetime
|
| 13 |
-
|
| 14 |
import numpy as np
|
| 15 |
from tqdm import tqdm
|
| 16 |
import PyPDF2
|
|
@@ -23,149 +17,34 @@ from gtts import gTTS
|
|
| 23 |
logging.basicConfig(level=logging.INFO)
|
| 24 |
logger = logging.getLogger(__name__)
|
| 25 |
|
| 26 |
-
# ========================================
|
| 27 |
-
# TOOLS & UTILITIES
|
| 28 |
-
# ========================================
|
| 29 |
-
class WebSearchTool:
|
| 30 |
-
def __init__(self, max_results: int = 5):
|
| 31 |
-
self.max_results = max_results
|
| 32 |
-
self.base_url = "https://api.duckduckgo.com/"
|
| 33 |
-
|
| 34 |
-
def search(self, query: str) -> Dict[str, Any]:
|
| 35 |
-
try:
|
| 36 |
-
params = {
|
| 37 |
-
'q': query, 'format': 'json', 'no_redirect': '1',
|
| 38 |
-
'no_html': '1', 'skip_disambig': '1'
|
| 39 |
-
}
|
| 40 |
-
response = requests.get(self.base_url, params=params, timeout=10)
|
| 41 |
-
response.raise_for_status()
|
| 42 |
-
data = response.json()
|
| 43 |
-
|
| 44 |
-
results = {
|
| 45 |
-
'abstract': data.get('Abstract', '') or data.get('Answer', ''),
|
| 46 |
-
'related': [
|
| 47 |
-
{'text': t.get('Text', ''), 'url': t.get('FirstURL', '')}
|
| 48 |
-
for t in data.get('RelatedTopics', [])[:self.max_results]
|
| 49 |
-
if 'Text' in t
|
| 50 |
-
]
|
| 51 |
-
}
|
| 52 |
-
return results
|
| 53 |
-
except Exception as e:
|
| 54 |
-
logger.error(f"Web search failed: {e}")
|
| 55 |
-
return {'abstract': '', 'related': []}
|
| 56 |
-
|
| 57 |
# ========================================
|
| 58 |
# DOCUMENT PROCESSING
|
| 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 |
-
self.chunk_size = chunk_size
|
| 86 |
-
self.chunk_overlap = chunk_overlap
|
| 87 |
-
|
| 88 |
-
def chunk_documents(self, documents: List[Dict]) -> List[Dict]:
|
| 89 |
-
chunks = []
|
| 90 |
-
for doc in documents:
|
| 91 |
-
text = re.sub(r'\s+', ' ', doc['content']).strip()
|
| 92 |
-
start = 0
|
| 93 |
-
while start < len(text):
|
| 94 |
-
end = start + self.chunk_size
|
| 95 |
-
chunk = text[start:end]
|
| 96 |
-
if end < len(text):
|
| 97 |
-
last_space = chunk.rfind(' ')
|
| 98 |
-
if last_space > self.chunk_size // 2:
|
| 99 |
-
end = start + last_space
|
| 100 |
-
chunks.append({
|
| 101 |
-
'chunk_id': f"{doc['doc_id']}_{start}",
|
| 102 |
-
'content': text[start:end].strip(),
|
| 103 |
-
'doc_id': doc['doc_id'],
|
| 104 |
-
'source_file': doc['file_path']
|
| 105 |
-
})
|
| 106 |
-
start = end - self.chunk_overlap
|
| 107 |
-
if start >= len(text):
|
| 108 |
-
break
|
| 109 |
-
return [c for c in chunks if len(c['content']) > 50]
|
| 110 |
-
|
| 111 |
-
class EmbeddingGenerator:
|
| 112 |
-
def __init__(self, model_name='all-MiniLM-L6-v2'):
|
| 113 |
-
self.model = SentenceTransformer(model_name)
|
| 114 |
-
|
| 115 |
-
def generate(self, chunks: List[Dict]) -> np.ndarray:
|
| 116 |
-
texts = [c['content'] for c in chunks]
|
| 117 |
-
return self.model.encode(texts, batch_size=32, show_progress_bar=False, convert_to_numpy=True)
|
| 118 |
-
|
| 119 |
-
def query_embedding(self, query: str) -> np.ndarray:
|
| 120 |
-
return self.model.encode([query], convert_to_numpy=True)[0]
|
| 121 |
-
|
| 122 |
-
# ========================================
|
| 123 |
-
# RETRIEVER
|
| 124 |
-
# ========================================
|
| 125 |
-
class DocumentRetriever:
|
| 126 |
-
def __init__(self):
|
| 127 |
-
self.chunks = []
|
| 128 |
-
self.index = None
|
| 129 |
-
self.embedder = EmbeddingGenerator()
|
| 130 |
-
|
| 131 |
-
def build_index(self, chunks: List[Dict], embeddings: np.ndarray):
|
| 132 |
-
self.chunks = chunks
|
| 133 |
-
dim = embeddings.shape[1]
|
| 134 |
-
self.index = faiss.IndexFlatIP(dim)
|
| 135 |
-
normalized = embeddings / np.linalg.norm(embeddings, axis=1, keepdims=True)
|
| 136 |
-
self.index.add(normalized.astype('float32'))
|
| 137 |
-
|
| 138 |
-
def search(self, query: str, k: int = 8) -> List[Dict]:
|
| 139 |
-
if not self.index:
|
| 140 |
-
return []
|
| 141 |
-
q_emb = self.embedder.query_embedding(query)
|
| 142 |
-
q_norm = q_emb / np.linalg.norm(q_emb)
|
| 143 |
-
scores, indices = self.index.search(q_norm.reshape(1, -1).astype('float32'), k)
|
| 144 |
-
results = []
|
| 145 |
-
for score, idx in zip(scores[0], indices[0]):
|
| 146 |
-
if idx < len(self.chunks):
|
| 147 |
-
chunk = self.chunks[idx].copy()
|
| 148 |
-
chunk['similarity'] = float(score)
|
| 149 |
-
results.append(chunk)
|
| 150 |
-
return results
|
| 151 |
-
|
| 152 |
-
# ========================================
|
| 153 |
-
# AGENT TOOLS
|
| 154 |
-
# ========================================
|
| 155 |
-
class AgenticTools:
|
| 156 |
-
def __init__(self):
|
| 157 |
-
self.web_search = WebSearchTool()
|
| 158 |
-
|
| 159 |
-
def calculator(self, expr: str):
|
| 160 |
-
try:
|
| 161 |
-
safe_expr = re.sub(r'[^0-9+\-*/(). ]', '', expr)
|
| 162 |
-
result = eval(ast.parse(safe_expr, mode='eval').body, {"__builtins__": {}})
|
| 163 |
-
return {"success": True, "result": result}
|
| 164 |
-
except:
|
| 165 |
-
return {"success": False, "result": "Invalid math"}
|
| 166 |
-
|
| 167 |
-
def web_search(self, query: str):
|
| 168 |
-
return {"success": True, "result": self.web_search.search(query)}
|
| 169 |
|
| 170 |
# ========================================
|
| 171 |
# MAIN AGENT
|
|
@@ -173,18 +52,21 @@ class AgenticTools:
|
|
| 173 |
class AgenticRAGAgent:
|
| 174 |
def __init__(self):
|
| 175 |
self.retriever = None
|
| 176 |
-
self.
|
| 177 |
-
self.
|
|
|
|
|
|
|
|
|
|
| 178 |
|
| 179 |
-
def
|
| 180 |
-
text = re.sub(r'\*
|
| 181 |
text = re.sub(r'\s+', ' ', text).strip()
|
| 182 |
return text
|
| 183 |
|
| 184 |
-
def
|
| 185 |
-
if not text
|
| 186 |
return None
|
| 187 |
-
clean = self.
|
| 188 |
try:
|
| 189 |
tts = gTTS(text=clean, lang='en')
|
| 190 |
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=".mp3")
|
|
@@ -196,118 +78,130 @@ class AgenticRAGAgent:
|
|
| 196 |
|
| 197 |
def upload_pdfs(self, files):
|
| 198 |
if not files:
|
| 199 |
-
return "No files
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 200 |
|
| 201 |
-
os.makedirs("sample_data", exist_ok=True)
|
| 202 |
-
saved = []
|
| 203 |
for file in files:
|
| 204 |
-
if file.name.lower().endswith(
|
| 205 |
-
|
| 206 |
-
|
| 207 |
-
|
| 208 |
-
|
| 209 |
-
|
| 210 |
-
|
| 211 |
-
|
| 212 |
-
|
| 213 |
-
|
| 214 |
-
|
| 215 |
-
|
| 216 |
-
|
| 217 |
-
|
| 218 |
-
|
| 219 |
-
|
| 220 |
-
|
| 221 |
-
|
| 222 |
-
|
| 223 |
-
|
| 224 |
-
|
| 225 |
-
|
| 226 |
-
|
| 227 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 228 |
return history, None
|
| 229 |
|
| 230 |
if not history:
|
| 231 |
history = []
|
| 232 |
|
| 233 |
# Greeting
|
| 234 |
-
if
|
| 235 |
-
resp = "Hello! I'm your AI Research Agent with voice
|
| 236 |
-
history.append([
|
| 237 |
-
|
| 238 |
-
|
| 239 |
-
|
| 240 |
-
|
| 241 |
-
|
| 242 |
-
history.append([query, resp])
|
| 243 |
return history, None
|
| 244 |
|
| 245 |
-
# Retrieve
|
| 246 |
-
|
| 247 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 248 |
|
| 249 |
-
prompt = f"""You are an expert research assistant.
|
| 250 |
-
Context from documents:
|
| 251 |
{context}
|
| 252 |
|
| 253 |
-
Question: {
|
| 254 |
-
|
| 255 |
|
| 256 |
try:
|
| 257 |
if not self.groq:
|
| 258 |
-
answer = "GROQ_API_KEY
|
| 259 |
else:
|
| 260 |
resp = self.groq.chat.completions.create(
|
| 261 |
model="llama-3.1-70b-versatile",
|
| 262 |
messages=[{"role": "user", "content": prompt}],
|
| 263 |
temperature=0.3,
|
| 264 |
-
max_tokens=
|
| 265 |
)
|
| 266 |
answer = resp.choices[0].message.content.strip()
|
| 267 |
except Exception as e:
|
| 268 |
-
answer = f"
|
| 269 |
|
| 270 |
-
history.append([
|
| 271 |
-
audio = self.
|
| 272 |
return history, audio
|
| 273 |
|
| 274 |
# ========================================
|
| 275 |
-
# GRADIO
|
| 276 |
# ========================================
|
| 277 |
-
def
|
| 278 |
agent = AgenticRAGAgent()
|
| 279 |
|
| 280 |
-
with gr.Blocks(title="AI Research Agent - RAG + Voice", theme=gr.themes.Soft()) as demo:
|
| 281 |
-
gr.Markdown(""
|
| 282 |
-
# π€ AI Research Agent (Agentic RAG + Voice)
|
| 283 |
-
Upload PDFs β Ask complex questions β Get answers with **voice**
|
| 284 |
-
""")
|
| 285 |
|
| 286 |
with gr.Row():
|
| 287 |
-
with gr.Column(scale=
|
| 288 |
chatbot = gr.Chatbot(height=600)
|
| 289 |
-
msg = gr.Textbox(placeholder="
|
| 290 |
with gr.Row():
|
| 291 |
-
send = gr.Button("Send", variant="primary")
|
| 292 |
-
clear = gr.Button("Clear
|
| 293 |
-
|
| 294 |
|
| 295 |
with gr.Column(scale=1):
|
| 296 |
-
gr.Markdown("### Upload
|
| 297 |
-
|
| 298 |
-
status = gr.Textbox(label="Status", interactive=False, lines=
|
| 299 |
|
| 300 |
-
|
| 301 |
-
|
| 302 |
-
|
| 303 |
-
return "", new_hist, audio_file
|
| 304 |
|
| 305 |
-
msg.submit(respond, [msg, chatbot], [msg, chatbot,
|
| 306 |
-
send.click(respond, [msg, chatbot], [msg, chatbot,
|
| 307 |
-
clear.click(lambda: ([], None), outputs=[chatbot,
|
| 308 |
-
|
| 309 |
|
| 310 |
-
gr.Markdown("**
|
| 311 |
|
| 312 |
return demo
|
| 313 |
|
|
@@ -315,5 +209,5 @@ def create_app():
|
|
| 315 |
# LAUNCH
|
| 316 |
# ========================================
|
| 317 |
if __name__ == "__main__":
|
| 318 |
-
app =
|
| 319 |
app.launch(server_name="0.0.0.0", server_port=7860)
|
|
|
|
| 1 |
+
# app.py - AI Research Agent with PDF RAG + Voice (100% HF Spaces Compatible - Nov 2025)
|
| 2 |
import os
|
| 3 |
import re
|
|
|
|
|
|
|
| 4 |
import logging
|
|
|
|
| 5 |
import tempfile
|
|
|
|
| 6 |
from pathlib import Path
|
| 7 |
+
from typing import List, Dict
|
|
|
|
|
|
|
| 8 |
import numpy as np
|
| 9 |
from tqdm import tqdm
|
| 10 |
import PyPDF2
|
|
|
|
| 17 |
logging.basicConfig(level=logging.INFO)
|
| 18 |
logger = logging.getLogger(__name__)
|
| 19 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 20 |
# ========================================
|
| 21 |
# DOCUMENT PROCESSING
|
| 22 |
# ========================================
|
| 23 |
+
def extract_text_from_pdf(pdf_path: str) -> str:
|
| 24 |
+
text = ""
|
| 25 |
+
try:
|
| 26 |
+
with open(pdf_path, 'rb') as f:
|
| 27 |
+
reader = PyPDF2.PdfReader(f)
|
| 28 |
+
for page in reader.pages:
|
| 29 |
+
page_text = page.extract_text()
|
| 30 |
+
if page_text:
|
| 31 |
+
text += page_text + "\n"
|
| 32 |
+
except Exception as e:
|
| 33 |
+
logger.error(f"PDF read error: {e}")
|
| 34 |
+
return text
|
| 35 |
+
|
| 36 |
+
def chunk_text(text: str, chunk_size: int = 512, overlap: int = 50) -> List[str]:
|
| 37 |
+
text = re.sub(r'\s+', ' ', text).strip()
|
| 38 |
+
chunks = []
|
| 39 |
+
start = 0
|
| 40 |
+
while start < len(text):
|
| 41 |
+
end = start + chunk_size
|
| 42 |
+
chunk = text[start:end]
|
| 43 |
+
chunks.append(chunk)
|
| 44 |
+
start = end - overlap
|
| 45 |
+
if start >= len(text):
|
| 46 |
+
break
|
| 47 |
+
return [c for c in chunks if len(c.strip()) > 30]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 48 |
|
| 49 |
# ========================================
|
| 50 |
# MAIN AGENT
|
|
|
|
| 52 |
class AgenticRAGAgent:
|
| 53 |
def __init__(self):
|
| 54 |
self.retriever = None
|
| 55 |
+
self.chunks = []
|
| 56 |
+
self.embedder = SentenceTransformer('all-MiniLM-L6-v2')
|
| 57 |
+
|
| 58 |
+
api_key = os.getenv("GROQ_API_KEY")
|
| 59 |
+
self.groq = Groq(api_key=api_key) if api_key else None
|
| 60 |
|
| 61 |
+
def clean_for_tts(self, text: str) -> str:
|
| 62 |
+
text = re.sub(r'[\*_`#\[\]]', '', text)
|
| 63 |
text = re.sub(r'\s+', ' ', text).strip()
|
| 64 |
return text
|
| 65 |
|
| 66 |
+
def text_to_speech(self, text: str):
|
| 67 |
+
if not text.strip():
|
| 68 |
return None
|
| 69 |
+
clean = self.clean_for_tts(text)
|
| 70 |
try:
|
| 71 |
tts = gTTS(text=clean, lang='en')
|
| 72 |
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=".mp3")
|
|
|
|
| 78 |
|
| 79 |
def upload_pdfs(self, files):
|
| 80 |
if not files:
|
| 81 |
+
return "No files selected."
|
| 82 |
+
|
| 83 |
+
data_dir = Path("sample_data")
|
| 84 |
+
data_dir.mkdir(exist_ok=True)
|
| 85 |
+
|
| 86 |
+
all_chunks = []
|
| 87 |
+
all_texts = []
|
| 88 |
|
|
|
|
|
|
|
| 89 |
for file in files:
|
| 90 |
+
if not str(file.name).lower().endswith('.pdf'):
|
| 91 |
+
continue
|
| 92 |
+
dest = data_dir / Path(file.name).name
|
| 93 |
+
# Gradio File upload object handling
|
| 94 |
+
with open(dest, "wb") as f:
|
| 95 |
+
if hasattr(file, 'read'):
|
| 96 |
+
f.write(file.read())
|
| 97 |
+
else:
|
| 98 |
+
f.write(file)
|
| 99 |
+
|
| 100 |
+
text = extract_text_from_pdf(dest)
|
| 101 |
+
if text.strip():
|
| 102 |
+
chunks = chunk_text(text)
|
| 103 |
+
all_chunks.extend(chunks)
|
| 104 |
+
all_texts.append(f"From {dest.name}: {len(chunks)} chunks")
|
| 105 |
+
|
| 106 |
+
if not all_chunks:
|
| 107 |
+
return "No text extracted from PDFs."
|
| 108 |
+
|
| 109 |
+
# Build embeddings + FAISS index
|
| 110 |
+
embeddings = self.embedder.encode(all_chunks, batch_size=32, show_progress_bar=False)
|
| 111 |
+
dim = embeddings.shape[1]
|
| 112 |
+
embeddings = embeddings / np.linalg.norm(embeddings, axis=1, keepdims=True)
|
| 113 |
+
|
| 114 |
+
index = faiss.IndexFlatIP(dim)
|
| 115 |
+
index.add(embeddings.astype('float32'))
|
| 116 |
+
|
| 117 |
+
self.chunks = all_chunks
|
| 118 |
+
self.index = index
|
| 119 |
+
|
| 120 |
+
return f"Loaded {len(files)} PDFs β {len(all_chunks)} chunks ready!\nAsk anything."
|
| 121 |
+
|
| 122 |
+
def query(self, question: str, history: List):
|
| 123 |
+
if not question.strip():
|
| 124 |
return history, None
|
| 125 |
|
| 126 |
if not history:
|
| 127 |
history = []
|
| 128 |
|
| 129 |
# Greeting
|
| 130 |
+
if question.strip().lower() in ["hi", "hello", "hey", "howdy"]:
|
| 131 |
+
resp = "Hello! I'm your AI Research Agent with voice output. Upload PDFs and ask questions!"
|
| 132 |
+
history.append([question, resp])
|
| 133 |
+
return history, self.text_to_speech(resp)
|
| 134 |
+
|
| 135 |
+
if not hasattr(self, 'index') or self.index is None:
|
| 136 |
+
resp = "Please upload and process at least one PDF first!"
|
| 137 |
+
history.append([question, resp])
|
|
|
|
| 138 |
return history, None
|
| 139 |
|
| 140 |
+
# Retrieve
|
| 141 |
+
q_emb = self.embedder.encode([question])
|
| 142 |
+
q_emb = q_emb / np.linalg.norm(q_emb)
|
| 143 |
+
D, I = self.index.search(q_emb.astype('float32'), k=6)
|
| 144 |
+
context = "\n\n".join([self.chunks[i] for i in I[0] if i < len(self.chunks)])
|
| 145 |
+
|
| 146 |
+
prompt = f"""You are an expert assistant.
|
| 147 |
+
Use only the following context to answer:
|
| 148 |
|
|
|
|
|
|
|
| 149 |
{context}
|
| 150 |
|
| 151 |
+
Question: {question}
|
| 152 |
+
Answer clearly and concisely:"""
|
| 153 |
|
| 154 |
try:
|
| 155 |
if not self.groq:
|
| 156 |
+
answer = "GROQ_API_KEY missing! Add it in Space Secrets."
|
| 157 |
else:
|
| 158 |
resp = self.groq.chat.completions.create(
|
| 159 |
model="llama-3.1-70b-versatile",
|
| 160 |
messages=[{"role": "user", "content": prompt}],
|
| 161 |
temperature=0.3,
|
| 162 |
+
max_tokens=700
|
| 163 |
)
|
| 164 |
answer = resp.choices[0].message.content.strip()
|
| 165 |
except Exception as e:
|
| 166 |
+
answer = f"Error: {str(e)}"
|
| 167 |
|
| 168 |
+
history.append([question, answer])
|
| 169 |
+
audio = self.text_to_speech(answer)
|
| 170 |
return history, audio
|
| 171 |
|
| 172 |
# ========================================
|
| 173 |
+
# GRADIO INTERFACE
|
| 174 |
# ========================================
|
| 175 |
+
def build_app():
|
| 176 |
agent = AgenticRAGAgent()
|
| 177 |
|
| 178 |
+
with gr.Blocks(title="AI Research Agent - RAG + Voice π", theme=gr.themes.Soft()) as demo:
|
| 179 |
+
gr.Markdown("# π€ AI Research Agent\nUpload PDFs β Ask Questions β Get Voice Answers")
|
|
|
|
|
|
|
|
|
|
| 180 |
|
| 181 |
with gr.Row():
|
| 182 |
+
with gr.Column(scale=4):
|
| 183 |
chatbot = gr.Chatbot(height=600)
|
| 184 |
+
msg = gr.Textbox(placeholder="What do you want to know from your documents?", label="Question")
|
| 185 |
with gr.Row():
|
| 186 |
+
send = gr.Button("Send π", variant="primary")
|
| 187 |
+
clear = gr.Button("Clear")
|
| 188 |
+
audio = gr.Audio(label="Voice Answer", autoplay=True)
|
| 189 |
|
| 190 |
with gr.Column(scale=1):
|
| 191 |
+
gr.Markdown("### Upload PDFs")
|
| 192 |
+
files = gr.Files(file_types=[".pdf"], file_count="multiple")
|
| 193 |
+
status = gr.Textbox(label="Status", interactive=False, lines=6)
|
| 194 |
|
| 195 |
+
def respond(q, h):
|
| 196 |
+
new_h, aud = agent.query(q, h)
|
| 197 |
+
return "", new_h, aud
|
|
|
|
| 198 |
|
| 199 |
+
msg.submit(respond, [msg, chatbot], [msg, chatbot, audio])
|
| 200 |
+
send.click(respond, [msg, chatbot], [msg, chatbot, audio])
|
| 201 |
+
clear.click(lambda: ([], None), outputs=[chatbot, audio])
|
| 202 |
+
files.change(agent.upload_pdfs, files, status)
|
| 203 |
|
| 204 |
+
gr.Markdown("**Required**: Add `GROQ_API_KEY` in Settings β Secrets (free at [console.groq.com](https://console.groq.com))")
|
| 205 |
|
| 206 |
return demo
|
| 207 |
|
|
|
|
| 209 |
# LAUNCH
|
| 210 |
# ========================================
|
| 211 |
if __name__ == "__main__":
|
| 212 |
+
app = build_app()
|
| 213 |
app.launch(server_name="0.0.0.0", server_port=7860)
|