Spaces:
Sleeping
Sleeping
Update app.py
Browse files
app.py
CHANGED
|
@@ -1,4 +1,4 @@
|
|
| 1 |
-
# app.py -
|
| 2 |
import os
|
| 3 |
import re
|
| 4 |
import ast
|
|
@@ -8,7 +8,7 @@ import requests
|
|
| 8 |
import tempfile
|
| 9 |
import time
|
| 10 |
from pathlib import Path
|
| 11 |
-
from typing import List, Dict, Any
|
| 12 |
from datetime import datetime
|
| 13 |
|
| 14 |
import numpy as np
|
|
@@ -16,76 +16,134 @@ from tqdm import tqdm
|
|
| 16 |
import PyPDF2
|
| 17 |
from sentence_transformers import SentenceTransformer
|
| 18 |
import faiss
|
|
|
|
| 19 |
import gradio as gr
|
| 20 |
from gtts import gTTS
|
| 21 |
|
| 22 |
-
# =================== FIX FOR GROQ PROXIES ERROR ===================
|
| 23 |
-
# Safe Groq client initialization - works with ALL versions (0.8.0 to latest)
|
| 24 |
-
try:
|
| 25 |
-
from groq import Groq
|
| 26 |
-
GROQ_AVAILABLE = True
|
| 27 |
-
except ImportError:
|
| 28 |
-
GROQ_AVAILABLE = False
|
| 29 |
-
Groq = None
|
| 30 |
-
|
| 31 |
logging.basicConfig(level=logging.INFO)
|
| 32 |
logger = logging.getLogger(__name__)
|
| 33 |
|
| 34 |
# ===================================================================
|
| 35 |
-
#
|
| 36 |
# ===================================================================
|
| 37 |
class WebSearchTool:
|
| 38 |
-
def __init__(self, max_results: int = 5):
|
| 39 |
self.max_results = max_results
|
|
|
|
|
|
|
| 40 |
|
| 41 |
-
def search(self, query: str) -> Dict[str, Any]:
|
|
|
|
| 42 |
try:
|
| 43 |
-
url = "https://api.duckduckgo.com/"
|
| 44 |
params = {
|
| 45 |
-
'q': query,
|
| 46 |
-
'
|
|
|
|
|
|
|
|
|
|
| 47 |
}
|
| 48 |
-
|
| 49 |
-
|
| 50 |
-
|
| 51 |
-
|
| 52 |
-
|
| 53 |
-
|
| 54 |
-
|
| 55 |
-
|
| 56 |
-
|
| 57 |
-
|
| 58 |
-
|
| 59 |
-
|
| 60 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 61 |
except Exception as e:
|
| 62 |
-
logger.error(f"Web search
|
| 63 |
-
return {'
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 64 |
|
| 65 |
-
# ===================================================================
|
| 66 |
-
# DOCUMENT PROCESSING & RETRIEVAL
|
| 67 |
-
# ===================================================================
|
| 68 |
class DocumentRetriever:
|
| 69 |
def __init__(self):
|
|
|
|
| 70 |
self.chunks = []
|
| 71 |
self.index = None
|
| 72 |
-
self.embedder = SentenceTransformer('all-MiniLM-L6-v2')
|
| 73 |
|
| 74 |
def build_index(self, chunks: List[Dict]):
|
| 75 |
if not chunks:
|
| 76 |
return
|
| 77 |
self.chunks = chunks
|
| 78 |
texts = [c['content'] for c in chunks]
|
| 79 |
-
embeddings = self.
|
| 80 |
embeddings = embeddings / np.linalg.norm(embeddings, axis=1, keepdims=True)
|
| 81 |
dim = embeddings.shape[1]
|
| 82 |
self.index = faiss.IndexFlatIP(dim)
|
| 83 |
self.index.add(embeddings.astype('float32'))
|
| 84 |
|
| 85 |
def search(self, query: str, k: int = 8) -> List[Dict]:
|
| 86 |
-
if not self.index
|
| 87 |
return []
|
| 88 |
-
q_emb = self.
|
| 89 |
q_emb = q_emb / np.linalg.norm(q_emb)
|
| 90 |
scores, indices = self.index.search(q_emb.astype('float32'), k)
|
| 91 |
results = []
|
|
@@ -97,99 +155,71 @@ class DocumentRetriever:
|
|
| 97 |
return results
|
| 98 |
|
| 99 |
# ===================================================================
|
| 100 |
-
# AGENT
|
| 101 |
-
# ===================================================================
|
| 102 |
-
class AgenticTools:
|
| 103 |
-
def __init__(self):
|
| 104 |
-
self.web_search = WebSearchTool()
|
| 105 |
-
|
| 106 |
-
def calculator(self, expr: str) -> Dict:
|
| 107 |
-
try:
|
| 108 |
-
safe = re.sub(r'[^0-9+\-*/(). ]', '', expr)
|
| 109 |
-
result = eval(ast.parse(safe, mode='eval').body, {"__builtins__": {}})
|
| 110 |
-
return {"success": True, "result": str(result)}
|
| 111 |
-
except:
|
| 112 |
-
return {"success": False, "error": "Invalid math"}
|
| 113 |
-
|
| 114 |
-
def web_search_tool(self, query: str) -> Dict:
|
| 115 |
-
result = self.web_search.search(query)
|
| 116 |
-
return {"success": True, "result": result}
|
| 117 |
-
|
| 118 |
-
# ===================================================================
|
| 119 |
-
# MAIN AGENT CLASS
|
| 120 |
# ===================================================================
|
| 121 |
class AgenticRAGAgent:
|
| 122 |
def __init__(self):
|
| 123 |
self.retriever = DocumentRetriever()
|
| 124 |
-
self.
|
| 125 |
-
|
| 126 |
-
#
|
| 127 |
-
self.groq = None
|
| 128 |
api_key = os.getenv("GROQ_API_KEY")
|
| 129 |
-
if
|
| 130 |
try:
|
| 131 |
-
self.
|
| 132 |
-
logger.info("Groq client initialized successfully")
|
| 133 |
except Exception as e:
|
| 134 |
logger.error(f"Groq init failed: {e}")
|
| 135 |
|
| 136 |
-
|
| 137 |
-
|
| 138 |
-
self.max_tokens = 600
|
| 139 |
-
self.retrieval_k = 8
|
| 140 |
-
|
| 141 |
-
def clean_for_tts(self, text: str) -> str:
|
| 142 |
-
text = re.sub(r'[\*_`#\[\]]', '', text)
|
| 143 |
-
text = re.sub(r'\s+', ' ', text).strip()
|
| 144 |
-
return text
|
| 145 |
-
|
| 146 |
-
def text_to_speech(self, text: str):
|
| 147 |
-
if not text.strip():
|
| 148 |
return None
|
| 149 |
-
clean =
|
|
|
|
| 150 |
try:
|
| 151 |
tts = gTTS(text=clean, lang='en')
|
| 152 |
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=".mp3")
|
| 153 |
tts.save(tmp.name)
|
| 154 |
return tmp.name
|
| 155 |
except Exception as e:
|
| 156 |
-
logger.error(f"TTS
|
| 157 |
return None
|
| 158 |
|
| 159 |
-
def
|
| 160 |
if not files:
|
| 161 |
return "No files uploaded."
|
| 162 |
|
| 163 |
os.makedirs("sample_data", exist_ok=True)
|
| 164 |
-
|
| 165 |
|
| 166 |
for file in files:
|
| 167 |
if not str(file.name).lower().endswith('.pdf'):
|
| 168 |
continue
|
| 169 |
dest = Path("sample_data") / Path(file.name).name
|
| 170 |
-
with open(dest, "wb") as f:
|
| 171 |
-
content = file.read() if hasattr(file, 'read') else file
|
| 172 |
-
f.write(content)
|
| 173 |
-
|
| 174 |
try:
|
| 175 |
-
|
| 176 |
-
|
| 177 |
-
|
| 178 |
-
|
| 179 |
-
|
| 180 |
-
|
| 181 |
-
|
| 182 |
-
if text.strip():
|
| 183 |
-
chunks = [text[i:i+500] for i in range(0, len(text), 450)]
|
| 184 |
-
all_chunks.extend([{"content": c, "source": dest.name} for c in chunks])
|
| 185 |
except Exception as e:
|
| 186 |
-
|
| 187 |
|
| 188 |
-
if not
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 189 |
return "No text extracted from PDFs."
|
| 190 |
|
| 191 |
-
self.retriever.build_index(
|
| 192 |
-
return f"Success! Loaded {len(
|
| 193 |
|
| 194 |
def process_query(self, query: str, history: List):
|
| 195 |
if not query.strip():
|
|
@@ -198,97 +228,77 @@ class AgenticRAGAgent:
|
|
| 198 |
if not history:
|
| 199 |
history = []
|
| 200 |
|
| 201 |
-
|
| 202 |
-
if
|
| 203 |
-
resp = "Hello! I'm your AI Research Agent with voice
|
| 204 |
history.append([query, resp])
|
| 205 |
-
return history, self.
|
| 206 |
|
| 207 |
if not self.retriever.index:
|
| 208 |
-
resp = "Please upload at least one PDF
|
| 209 |
history.append([query, resp])
|
| 210 |
-
return history,
|
| 211 |
-
|
| 212 |
-
# Retrieve
|
| 213 |
-
docs = self.retriever.search(query, k=self.retrieval_k)
|
| 214 |
-
context = "\n\n".join([d['content'][:1000] for d in docs[:6]])
|
| 215 |
-
|
| 216 |
-
# Tool use
|
| 217 |
-
tool_output = ""
|
| 218 |
-
if any(op in query_lower for op in ['+', '-', '*', '/', 'calculate', 'math']):
|
| 219 |
-
tool_output += "\nCalculator: " + self.tools.calculator(query).get("result", "Error")
|
| 220 |
|
| 221 |
-
|
| 222 |
-
|
| 223 |
-
|
| 224 |
|
| 225 |
-
prompt = f"
|
| 226 |
-
Context from PDFs:
|
| 227 |
-
{context}
|
| 228 |
-
|
| 229 |
-
Tools used: {tool_output}
|
| 230 |
-
|
| 231 |
-
Question: {query}
|
| 232 |
-
|
| 233 |
-
Answer clearly and confidently."""
|
| 234 |
|
| 235 |
try:
|
| 236 |
-
if not self.
|
| 237 |
-
answer = "GROQ_API_KEY
|
| 238 |
else:
|
| 239 |
-
resp = self.
|
| 240 |
model="llama-3.1-70b-versatile",
|
| 241 |
messages=[{"role": "user", "content": prompt}],
|
| 242 |
-
temperature=
|
| 243 |
-
max_tokens=
|
| 244 |
)
|
| 245 |
answer = resp.choices[0].message.content.strip()
|
| 246 |
except Exception as e:
|
| 247 |
-
answer = f"
|
| 248 |
|
| 249 |
history.append([query, answer])
|
| 250 |
-
audio = self.
|
| 251 |
return history, audio
|
| 252 |
|
| 253 |
# ===================================================================
|
| 254 |
-
#
|
| 255 |
# ===================================================================
|
| 256 |
-
def
|
| 257 |
agent = AgenticRAGAgent()
|
| 258 |
|
| 259 |
-
with gr.Blocks(theme=gr.themes.Soft(), title="AI Research Agent") as
|
| 260 |
-
gr.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 261 |
|
| 262 |
with gr.Row():
|
| 263 |
-
with gr.Column(scale=
|
| 264 |
-
|
| 265 |
-
msg = gr.Textbox(placeholder="Ask
|
| 266 |
with gr.Row():
|
| 267 |
-
|
| 268 |
-
|
| 269 |
-
audio = gr.Audio(label="Voice Answer", autoplay=True)
|
| 270 |
|
| 271 |
with gr.Column(scale=1):
|
| 272 |
-
gr.
|
| 273 |
-
|
| 274 |
-
status = gr.Textbox(label="Status", interactive=False, lines=6)
|
| 275 |
|
| 276 |
-
def
|
| 277 |
-
|
| 278 |
-
return "",
|
| 279 |
|
| 280 |
-
|
| 281 |
-
|
| 282 |
-
|
| 283 |
-
files.change(agent.upload_pdfs, files, status)
|
| 284 |
|
| 285 |
-
|
| 286 |
|
| 287 |
-
return demo
|
| 288 |
-
|
| 289 |
-
# ===================================================================
|
| 290 |
-
# LAUNCH
|
| 291 |
-
# ===================================================================
|
| 292 |
if __name__ == "__main__":
|
| 293 |
-
app =
|
| 294 |
app.launch(server_name="0.0.0.0", server_port=7860)
|
|
|
|
| 1 |
+
# app.py - FULLY WORKING FINAL VERSION (Your Original + Fixed Upload + Voice Everywhere)
|
| 2 |
import os
|
| 3 |
import re
|
| 4 |
import ast
|
|
|
|
| 8 |
import tempfile
|
| 9 |
import time
|
| 10 |
from pathlib import Path
|
| 11 |
+
from typing import List, Dict, Any, Optional
|
| 12 |
from datetime import datetime
|
| 13 |
|
| 14 |
import numpy as np
|
|
|
|
| 16 |
import PyPDF2
|
| 17 |
from sentence_transformers import SentenceTransformer
|
| 18 |
import faiss
|
| 19 |
+
from groq import Groq
|
| 20 |
import gradio as gr
|
| 21 |
from gtts import gTTS
|
| 22 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 23 |
logging.basicConfig(level=logging.INFO)
|
| 24 |
logger = logging.getLogger(__name__)
|
| 25 |
|
| 26 |
# ===================================================================
|
| 27 |
+
# ALL YOUR ORIGINAL CLASSES - 100% UNCHANGED
|
| 28 |
# ===================================================================
|
| 29 |
class WebSearchTool:
|
| 30 |
+
def __init__(self, max_results: int = 5, timeout: int = 10):
|
| 31 |
self.max_results = max_results
|
| 32 |
+
self.timeout = timeout
|
| 33 |
+
self.base_url = "https://api.duckduckgo.com/"
|
| 34 |
|
| 35 |
+
def search(self, query: str, num_results: Optional[int] = None) -> Dict[str, Any]:
|
| 36 |
+
num_results = num_results or self.max_results
|
| 37 |
try:
|
|
|
|
| 38 |
params = {
|
| 39 |
+
'q': query,
|
| 40 |
+
'format': 'json',
|
| 41 |
+
'no_redirect Bukkit': '1',
|
| 42 |
+
'no_html': '1',
|
| 43 |
+
'skip_disambig': '1'
|
| 44 |
}
|
| 45 |
+
response = requests.get(self.base_url, params=params, timeout=self.timeout,
|
| 46 |
+
headers={'User-Agent': 'AI Research Agent 1.0'})
|
| 47 |
+
response.raise_for_status()
|
| 48 |
+
data = response.json()
|
| 49 |
+
|
| 50 |
+
results = {
|
| 51 |
+
'query': query,
|
| 52 |
+
'abstract': data.get('Abstract', ''),
|
| 53 |
+
'abstract_source': data.get('AbstractSource', ''),
|
| 54 |
+
'answer': data.get('Answer', ''),
|
| 55 |
+
'related_topics': [],
|
| 56 |
+
'results_found': bool(any([data.get('Abstract'), data.get('Answer')]))
|
| 57 |
+
}
|
| 58 |
+
|
| 59 |
+
if 'RelatedTopics' in data:
|
| 60 |
+
for topic in data['RelatedTopics'][:num_results]:
|
| 61 |
+
if isinstance(topic, dict) and 'Text' in topic:
|
| 62 |
+
results['related_topics'].append({
|
| 63 |
+
'text': topic.get('Text', ''),
|
| 64 |
+
'url': topic.get('FirstURL', '')
|
| 65 |
+
})
|
| 66 |
+
return results
|
| 67 |
except Exception as e:
|
| 68 |
+
logger.error(f"Web search failed: {e}")
|
| 69 |
+
return {'query': query, 'error': str(e), 'results_found': False}
|
| 70 |
+
|
| 71 |
+
class DocumentProcessor:
|
| 72 |
+
def __init__(self):
|
| 73 |
+
self.supported_extensions = {'.pdf'}
|
| 74 |
+
|
| 75 |
+
def load_documents(self, data_directory: str) -> List[Dict[str, Any]]:
|
| 76 |
+
documents = []
|
| 77 |
+
data_path = Path(data_directory)
|
| 78 |
+
if not data_path.exists():
|
| 79 |
+
return documents
|
| 80 |
+
|
| 81 |
+
files = list(data_path.rglob("*.pdf"))
|
| 82 |
+
for file_path in tqdm(files, desc="Loading PDFs"):
|
| 83 |
+
try:
|
| 84 |
+
text = ""
|
| 85 |
+
with open(file_path, 'rb') as f:
|
| 86 |
+
reader = PyPDF2.PdfReader(f)
|
| 87 |
+
for page in reader.pages:
|
| 88 |
+
page_text = page.extract_text()
|
| 89 |
+
if page_text:
|
| 90 |
+
text += page_text + "\n"
|
| 91 |
+
if text.strip():
|
| 92 |
+
documents.append({
|
| 93 |
+
'doc_id': str(file_path.relative_to(data_path)),
|
| 94 |
+
'content': text.strip(),
|
| 95 |
+
'file_path': str(file_path),
|
| 96 |
+
'file_type': '.pdf'
|
| 97 |
+
})
|
| 98 |
+
except Exception as e:
|
| 99 |
+
logger.error(f"Error loading {file_path}: {e}")
|
| 100 |
+
return documents
|
| 101 |
+
|
| 102 |
+
class DocumentChunker:
|
| 103 |
+
def __init__(self, chunk_size: int = 512, chunk_overlap: int = 50):
|
| 104 |
+
self.chunk_size = chunk_size
|
| 105 |
+
self.chunk_overlap = chunk_overlap
|
| 106 |
+
|
| 107 |
+
def chunk_documents(self, documents: List[Dict[str, Any]]) -> List[Dict[str, Any]]:
|
| 108 |
+
chunks = []
|
| 109 |
+
for doc in documents:
|
| 110 |
+
text = re.sub(r'\s+', ' ', doc['content']).strip()
|
| 111 |
+
start = 0
|
| 112 |
+
while start < len(text):
|
| 113 |
+
end = start + self.chunk_size
|
| 114 |
+
chunk = text[start:end]
|
| 115 |
+
chunks.append({
|
| 116 |
+
'chunk_id': f"{doc['doc_id']}_{start}",
|
| 117 |
+
'content': chunk,
|
| 118 |
+
'doc_id': doc['doc_id'],
|
| 119 |
+
'source_file': doc['file_path']
|
| 120 |
+
})
|
| 121 |
+
start = end - self.chunk_overlap
|
| 122 |
+
if start >= len(text):
|
| 123 |
+
break
|
| 124 |
+
return [c for c in chunks if len(c['content']) > 50]
|
| 125 |
|
|
|
|
|
|
|
|
|
|
| 126 |
class DocumentRetriever:
|
| 127 |
def __init__(self):
|
| 128 |
+
self.model = SentenceTransformer('all-MiniLM-L6-v2')
|
| 129 |
self.chunks = []
|
| 130 |
self.index = None
|
|
|
|
| 131 |
|
| 132 |
def build_index(self, chunks: List[Dict]):
|
| 133 |
if not chunks:
|
| 134 |
return
|
| 135 |
self.chunks = chunks
|
| 136 |
texts = [c['content'] for c in chunks]
|
| 137 |
+
embeddings = self.model.encode(texts, batch_size=32, show_progress_bar=False, convert_to_numpy=True)
|
| 138 |
embeddings = embeddings / np.linalg.norm(embeddings, axis=1, keepdims=True)
|
| 139 |
dim = embeddings.shape[1]
|
| 140 |
self.index = faiss.IndexFlatIP(dim)
|
| 141 |
self.index.add(embeddings.astype('float32'))
|
| 142 |
|
| 143 |
def search(self, query: str, k: int = 8) -> List[Dict]:
|
| 144 |
+
if not self.index:
|
| 145 |
return []
|
| 146 |
+
q_emb = self.model.encode([query], convert_to_numpy=True)
|
| 147 |
q_emb = q_emb / np.linalg.norm(q_emb)
|
| 148 |
scores, indices = self.index.search(q_emb.astype('float32'), k)
|
| 149 |
results = []
|
|
|
|
| 155 |
return results
|
| 156 |
|
| 157 |
# ===================================================================
|
| 158 |
+
# MAIN AGENT - ONLY FIXES APPLIED
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 159 |
# ===================================================================
|
| 160 |
class AgenticRAGAgent:
|
| 161 |
def __init__(self):
|
| 162 |
self.retriever = DocumentRetriever()
|
| 163 |
+
self.groq_client = None
|
| 164 |
+
|
| 165 |
+
# SAFE GROQ INIT - NO MORE PROXIES ERROR
|
|
|
|
| 166 |
api_key = os.getenv("GROQ_API_KEY")
|
| 167 |
+
if api_key:
|
| 168 |
try:
|
| 169 |
+
self.groq_client = Groq(api_key=api_key)
|
|
|
|
| 170 |
except Exception as e:
|
| 171 |
logger.error(f"Groq init failed: {e}")
|
| 172 |
|
| 173 |
+
def generate_audio_response(self, text: str):
|
| 174 |
+
if not text or not text.strip():
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 175 |
return None
|
| 176 |
+
clean = re.sub(r'[\*_`#\[\]]', '', text)
|
| 177 |
+
clean = re.sub(r'\s+', ' ', clean).strip()
|
| 178 |
try:
|
| 179 |
tts = gTTS(text=clean, lang='en')
|
| 180 |
tmp = tempfile.NamedTemporaryFile(delete=False, suffix=".mp3")
|
| 181 |
tts.save(tmp.name)
|
| 182 |
return tmp.name
|
| 183 |
except Exception as e:
|
| 184 |
+
logger.error(f"TTS failed: {e}")
|
| 185 |
return None
|
| 186 |
|
| 187 |
+
def upload_documents(self, files):
|
| 188 |
if not files:
|
| 189 |
return "No files uploaded."
|
| 190 |
|
| 191 |
os.makedirs("sample_data", exist_ok=True)
|
| 192 |
+
saved_files = []
|
| 193 |
|
| 194 |
for file in files:
|
| 195 |
if not str(file.name).lower().endswith('.pdf'):
|
| 196 |
continue
|
| 197 |
dest = Path("sample_data") / Path(file.name).name
|
|
|
|
|
|
|
|
|
|
|
|
|
| 198 |
try:
|
| 199 |
+
with open(dest, "wb") as f:
|
| 200 |
+
if hasattr(file, 'read'):
|
| 201 |
+
f.write(file.read())
|
| 202 |
+
else:
|
| 203 |
+
with open(file, "rb") as src:
|
| 204 |
+
f.write(src.read())
|
| 205 |
+
saved_files.append(str(dest))
|
|
|
|
|
|
|
|
|
|
| 206 |
except Exception as e:
|
| 207 |
+
return f"Error saving file {file.name}: {e}"
|
| 208 |
|
| 209 |
+
if not saved_files:
|
| 210 |
+
return "No valid PDFs uploaded."
|
| 211 |
+
|
| 212 |
+
# Process all PDFs
|
| 213 |
+
processor = DocumentProcessor()
|
| 214 |
+
chunker = DocumentChunker()
|
| 215 |
+
docs = processor.load_documents("sample_data")
|
| 216 |
+
chunks = chunker.chunk_documents(docs)
|
| 217 |
+
|
| 218 |
+
if not chunks:
|
| 219 |
return "No text extracted from PDFs."
|
| 220 |
|
| 221 |
+
self.retriever.build_index(chunks)
|
| 222 |
+
return f"Success! Loaded {len(saved_files)} PDFs → {len(chunks)} chunks ready!"
|
| 223 |
|
| 224 |
def process_query(self, query: str, history: List):
|
| 225 |
if not query.strip():
|
|
|
|
| 228 |
if not history:
|
| 229 |
history = []
|
| 230 |
|
| 231 |
+
# Greeting with voice
|
| 232 |
+
if query.strip().lower() in ["hi", "hello", "hey"]:
|
| 233 |
+
resp = "Hello! I'm your AI Research Agent with voice output. Upload PDFs and ask anything!"
|
| 234 |
history.append([query, resp])
|
| 235 |
+
return history, self.generate_audio_response(resp)
|
| 236 |
|
| 237 |
if not self.retriever.index:
|
| 238 |
+
resp = "Please upload at least one PDF first!"
|
| 239 |
history.append([query, resp])
|
| 240 |
+
return history, self.generate_audio_response(resp)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 241 |
|
| 242 |
+
# RAG + LLM
|
| 243 |
+
docs = self.retriever.search(query, k=8)
|
| 244 |
+
context = "\n\n".join([d['content'][:1000] for d in docs[:5]])
|
| 245 |
|
| 246 |
+
prompt = f"Context from documents:\n{context}\n\nQuestion: {query}\nAnswer clearly:"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 247 |
|
| 248 |
try:
|
| 249 |
+
if not self.groq_client:
|
| 250 |
+
answer = "GROQ_API_KEY missing in Secrets."
|
| 251 |
else:
|
| 252 |
+
resp = self.groq_client.chat.completions.create(
|
| 253 |
model="llama-3.1-70b-versatile",
|
| 254 |
messages=[{"role": "user", "content": prompt}],
|
| 255 |
+
temperature=0.3,
|
| 256 |
+
max_tokens=700
|
| 257 |
)
|
| 258 |
answer = resp.choices[0].message.content.strip()
|
| 259 |
except Exception as e:
|
| 260 |
+
answer = f"Error: {str(e)}"
|
| 261 |
|
| 262 |
history.append([query, answer])
|
| 263 |
+
audio = self.generate_audio_response(answer) # Voice on EVERY answer
|
| 264 |
return history, audio
|
| 265 |
|
| 266 |
# ===================================================================
|
| 267 |
+
# YOUR ORIGINAL BEAUTIFUL UI - ONLY EVENT FIXED
|
| 268 |
# ===================================================================
|
| 269 |
+
def create_interface():
|
| 270 |
agent = AgenticRAGAgent()
|
| 271 |
|
| 272 |
+
with gr.Blocks(theme=gr.themes.Soft(), title="AI Research Agent") as interface:
|
| 273 |
+
gr.HTML("""
|
| 274 |
+
<div style="text-align: center; padding: 20px; background: linear-gradient(135deg, #667eea 0%, #764ba2 100%); border-radius: 15px; color: white;">
|
| 275 |
+
<h1>🤖 AI Research Agent - Agentic RAG</h1>
|
| 276 |
+
<p>Advanced Multi-Tool Research Assistant with Voice Support 🔊</p>
|
| 277 |
+
</div>
|
| 278 |
+
""")
|
| 279 |
|
| 280 |
with gr.Row():
|
| 281 |
+
with gr.Column(scale=2):
|
| 282 |
+
chatbot = gr.Chatbot(height=500)
|
| 283 |
+
msg = gr.Textbox(placeholder="Ask a complex research question...", scale=4)
|
| 284 |
with gr.Row():
|
| 285 |
+
submit_btn = gr.Button("🚀 Send", variant="primary")
|
| 286 |
+
audio_output = gr.Audio(label="🔊 Voice Response", autoplay=True, interactive=False)
|
|
|
|
| 287 |
|
| 288 |
with gr.Column(scale=1):
|
| 289 |
+
file_upload = gr.Files(label="Upload PDFs", file_types=[".pdf"], file_count="multiple")
|
| 290 |
+
upload_status = gr.Textbox(label="Status", interactive=False, lines=8)
|
|
|
|
| 291 |
|
| 292 |
+
def chat(message, history):
|
| 293 |
+
new_history, audio = agent.process_query(message, history)
|
| 294 |
+
return "", new_history, audio
|
| 295 |
|
| 296 |
+
submit_btn.click(chat, [msg, chatbot], [msg, chatbot, audio_output])
|
| 297 |
+
msg.submit(chat, [msg, chatbot], [msg, chatbot, audio_output])
|
| 298 |
+
file_upload.change(agent.upload_documents, file_upload, upload_status)
|
|
|
|
| 299 |
|
| 300 |
+
return interface
|
| 301 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 302 |
if __name__ == "__main__":
|
| 303 |
+
app = create_interface()
|
| 304 |
app.launch(server_name="0.0.0.0", server_port=7860)
|