Spaces:
Running
on
CPU Upgrade
Running
on
CPU Upgrade
Update app.py
Browse files
app.py
CHANGED
@@ -1,5 +1,19 @@
|
|
1 |
import streamlit as st
|
2 |
-
import anthropic
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
3 |
import plotly.graph_objects as go
|
4 |
import streamlit.components.v1 as components
|
5 |
from datetime import datetime
|
@@ -20,10 +34,13 @@ from streamlit.runtime.scriptrunner import get_script_run_ctx
|
|
20 |
import asyncio
|
21 |
import edge_tts
|
22 |
from streamlit_marquee import streamlit_marquee
|
|
|
|
|
23 |
|
24 |
# ─────────────────────────────────────────────────────────
|
25 |
# 1. CORE CONFIGURATION & SETUP
|
26 |
# ─────────────────────────────────────────────────────────
|
|
|
27 |
st.set_page_config(
|
28 |
page_title="🚲TalkingAIResearcher🏆",
|
29 |
page_icon="🚲🏆",
|
@@ -37,7 +54,7 @@ st.set_page_config(
|
|
37 |
)
|
38 |
load_dotenv()
|
39 |
|
40 |
-
# Available English voices for Edge TTS
|
41 |
EDGE_TTS_VOICES = [
|
42 |
"en-US-AriaNeural",
|
43 |
"en-US-GuyNeural",
|
@@ -50,7 +67,7 @@ EDGE_TTS_VOICES = [
|
|
50 |
"en-CA-LiamNeural"
|
51 |
]
|
52 |
|
53 |
-
# Session
|
54 |
if 'marquee_settings' not in st.session_state:
|
55 |
st.session_state['marquee_settings'] = {
|
56 |
"background": "#1E1E1E",
|
@@ -60,53 +77,50 @@ if 'marquee_settings' not in st.session_state:
|
|
60 |
"width": "100%",
|
61 |
"lineHeight": "35px"
|
62 |
}
|
63 |
-
|
64 |
if 'tts_voice' not in st.session_state:
|
65 |
st.session_state['tts_voice'] = EDGE_TTS_VOICES[0]
|
66 |
-
|
67 |
if 'audio_format' not in st.session_state:
|
68 |
st.session_state['audio_format'] = 'mp3'
|
69 |
-
|
70 |
if 'transcript_history' not in st.session_state:
|
71 |
st.session_state['transcript_history'] = []
|
72 |
-
|
73 |
if 'chat_history' not in st.session_state:
|
74 |
st.session_state['chat_history'] = []
|
75 |
-
|
76 |
if 'openai_model' not in st.session_state:
|
77 |
st.session_state['openai_model'] = "gpt-4o-2024-05-13"
|
78 |
-
|
79 |
if 'messages' not in st.session_state:
|
80 |
st.session_state['messages'] = []
|
81 |
-
|
82 |
if 'last_voice_input' not in st.session_state:
|
83 |
st.session_state['last_voice_input'] = ""
|
84 |
-
|
85 |
if 'editing_file' not in st.session_state:
|
86 |
st.session_state['editing_file'] = None
|
87 |
-
|
88 |
if 'edit_new_name' not in st.session_state:
|
89 |
st.session_state['edit_new_name'] = ""
|
90 |
-
|
91 |
if 'edit_new_content' not in st.session_state:
|
92 |
st.session_state['edit_new_content'] = ""
|
93 |
-
|
94 |
if 'viewing_prefix' not in st.session_state:
|
95 |
st.session_state['viewing_prefix'] = None
|
96 |
-
|
97 |
if 'should_rerun' not in st.session_state:
|
98 |
st.session_state['should_rerun'] = False
|
99 |
-
|
100 |
if 'old_val' not in st.session_state:
|
101 |
st.session_state['old_val'] = None
|
102 |
-
|
103 |
if 'last_query' not in st.session_state:
|
104 |
st.session_state['last_query'] = ""
|
105 |
-
|
106 |
if 'marquee_content' not in st.session_state:
|
107 |
st.session_state['marquee_content'] = "🚀 Welcome to TalkingAIResearcher | 🤖 Your Research Assistant"
|
108 |
|
109 |
-
#
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
110 |
openai_api_key = os.getenv('OPENAI_API_KEY', "")
|
111 |
anthropic_key = os.getenv('ANTHROPIC_API_KEY_3', "")
|
112 |
xai_key = os.getenv('xai',"")
|
@@ -120,7 +134,7 @@ openai_client = OpenAI(api_key=openai.api_key, organization=os.getenv('OPENAI_OR
|
|
120 |
HF_KEY = os.getenv('HF_KEY')
|
121 |
API_URL = os.getenv('API_URL')
|
122 |
|
123 |
-
# Helper constants
|
124 |
FILE_EMOJIS = {
|
125 |
"md": "📝",
|
126 |
"mp3": "🎵",
|
@@ -128,20 +142,77 @@ FILE_EMOJIS = {
|
|
128 |
}
|
129 |
|
130 |
# ─────────────────────────────────────────────────────────
|
131 |
-
# 2.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
132 |
# ─────────────────────────────────────────────────────────
|
133 |
|
134 |
def get_central_time():
|
135 |
-
"""Get current time in US Central timezone."""
|
136 |
central = pytz.timezone('US/Central')
|
137 |
return datetime.now(central)
|
138 |
|
139 |
def format_timestamp_prefix():
|
140 |
-
"""Generate timestamp prefix
|
141 |
ct = get_central_time()
|
142 |
return ct.strftime("%m_%d_%y_%I_%M_%p")
|
143 |
|
144 |
def initialize_marquee_settings():
|
|
|
145 |
if 'marquee_settings' not in st.session_state:
|
146 |
st.session_state['marquee_settings'] = {
|
147 |
"background": "#1E1E1E",
|
@@ -153,11 +224,12 @@ def initialize_marquee_settings():
|
|
153 |
}
|
154 |
|
155 |
def get_marquee_settings():
|
|
|
156 |
initialize_marquee_settings()
|
157 |
return st.session_state['marquee_settings']
|
158 |
|
159 |
def update_marquee_settings_ui():
|
160 |
-
"""Add color pickers & sliders for marquee config in sidebar."""
|
161 |
st.sidebar.markdown("### 🎯 Marquee Settings")
|
162 |
cols = st.sidebar.columns(2)
|
163 |
with cols[0]:
|
@@ -169,7 +241,7 @@ def update_marquee_settings_ui():
|
|
169 |
key="text_color_picker")
|
170 |
with cols[1]:
|
171 |
font_size = st.slider("📏 Size", 10, 24, 14, key="font_size_slider")
|
172 |
-
duration = st.slider("⏱️ Speed", 1, 20, 20, key="duration_slider")
|
173 |
|
174 |
st.session_state['marquee_settings'].update({
|
175 |
"background": bg_color,
|
@@ -179,7 +251,10 @@ def update_marquee_settings_ui():
|
|
179 |
})
|
180 |
|
181 |
def display_marquee(text, settings, key_suffix=""):
|
182 |
-
"""
|
|
|
|
|
|
|
183 |
truncated_text = text[:280] + "..." if len(text) > 280 else text
|
184 |
streamlit_marquee(
|
185 |
content=truncated_text,
|
@@ -189,7 +264,10 @@ def display_marquee(text, settings, key_suffix=""):
|
|
189 |
st.write("")
|
190 |
|
191 |
def get_high_info_terms(text: str, top_n=10) -> list:
|
192 |
-
"""
|
|
|
|
|
|
|
193 |
stop_words = set(['the', 'a', 'an', 'and', 'or', 'but', 'in', 'on', 'at', 'to', 'for', 'of', 'with'])
|
194 |
words = re.findall(r'\b\w+(?:-\w+)*\b', text.lower())
|
195 |
bi_grams = [' '.join(pair) for pair in zip(words, words[1:])]
|
@@ -199,22 +277,24 @@ def get_high_info_terms(text: str, top_n=10) -> list:
|
|
199 |
return [term for term, freq in counter.most_common(top_n)]
|
200 |
|
201 |
def clean_text_for_filename(text: str) -> str:
|
202 |
-
"""
|
|
|
|
|
|
|
203 |
text = text.lower()
|
204 |
text = re.sub(r'[^\w\s-]', '', text)
|
205 |
words = text.split()
|
206 |
-
# remove short or unhelpful words
|
207 |
stop_short = set(['the', 'and', 'for', 'with', 'this', 'that', 'ai', 'library'])
|
208 |
filtered = [w for w in words if len(w) > 3 and w not in stop_short]
|
209 |
return '_'.join(filtered)[:200]
|
210 |
|
211 |
def generate_filename(prompt, response, file_type="md", max_length=200):
|
212 |
"""
|
213 |
-
|
214 |
-
1)
|
215 |
-
2) snippet from prompt+response,
|
216 |
-
3)
|
217 |
-
4)
|
218 |
"""
|
219 |
prefix = format_timestamp_prefix() + "_"
|
220 |
combined_text = (prompt + " " + response)[:200]
|
@@ -222,7 +302,7 @@ def generate_filename(prompt, response, file_type="md", max_length=200):
|
|
222 |
snippet = (prompt[:40] + " " + response[:40]).strip()
|
223 |
snippet_cleaned = clean_text_for_filename(snippet)
|
224 |
|
225 |
-
#
|
226 |
name_parts = info_terms + [snippet_cleaned]
|
227 |
seen = set()
|
228 |
unique_parts = []
|
@@ -239,88 +319,160 @@ def generate_filename(prompt, response, file_type="md", max_length=200):
|
|
239 |
return f"{prefix}{full_name}.{file_type}"
|
240 |
|
241 |
def create_file(prompt, response, file_type="md"):
|
242 |
-
"""
|
|
|
|
|
|
|
243 |
filename = generate_filename(prompt.strip(), response.strip(), file_type)
|
244 |
with open(filename, 'w', encoding='utf-8') as f:
|
245 |
f.write(prompt + "\n\n" + response)
|
246 |
return filename
|
247 |
|
248 |
-
|
249 |
-
|
250 |
-
|
251 |
-
"""
|
252 |
-
with open(file, "rb") as f:
|
253 |
-
b64 = base64.b64encode(f.read()).decode()
|
254 |
-
if file_type == "zip":
|
255 |
-
return f'<a href="data:application/zip;base64,{b64}" download="{os.path.basename(file)}">📂 Download {os.path.basename(file)}</a>'
|
256 |
-
elif file_type == "mp3":
|
257 |
-
return f'<a href="data:audio/mpeg;base64,{b64}" download="{os.path.basename(file)}">🎵 Download {os.path.basename(file)}</a>'
|
258 |
-
elif file_type == "wav":
|
259 |
-
return f'<a href="data:audio/wav;base64,{b64}" download="{os.path.basename(file)}">🔊 Download {os.path.basename(file)}</a>'
|
260 |
-
elif file_type == "md":
|
261 |
-
return f'<a href="data:text/markdown;base64,{b64}" download="{os.path.basename(file)}">📝 Download {os.path.basename(file)}</a>'
|
262 |
-
else:
|
263 |
-
return f'<a href="data:application/octet-stream;base64,{b64}" download="{os.path.basename(file)}">Download {os.path.basename(file)}</a>'
|
264 |
|
265 |
def clean_for_speech(text: str) -> str:
|
266 |
-
"""
|
267 |
-
|
268 |
-
|
269 |
-
|
270 |
-
|
271 |
-
|
272 |
-
|
273 |
-
|
274 |
-
|
275 |
-
|
276 |
-
|
277 |
-
|
278 |
-
|
279 |
-
|
280 |
-
|
281 |
-
|
282 |
-
|
283 |
-
|
284 |
-
|
285 |
-
|
286 |
-
|
287 |
-
|
288 |
-
|
289 |
-
|
290 |
-
def
|
291 |
-
|
292 |
-
|
293 |
-
|
294 |
-
|
295 |
-
|
296 |
-
|
297 |
-
|
298 |
-
|
299 |
-
|
300 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
301 |
|
302 |
-
|
303 |
-
|
304 |
-
|
305 |
-
|
306 |
-
|
307 |
-
|
308 |
-
|
309 |
-
|
310 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
311 |
|
312 |
# ─────────────────────────────────────────────────────────
|
313 |
-
#
|
314 |
# ─────────────────────────────────────────────────────────
|
315 |
|
316 |
def parse_arxiv_refs(ref_text: str):
|
317 |
"""
|
318 |
-
Given a multi-line markdown with
|
319 |
-
a list of dicts: {date, title, url, authors, summary
|
320 |
"""
|
321 |
if not ref_text:
|
322 |
return []
|
323 |
-
|
324 |
results = []
|
325 |
current_paper = {}
|
326 |
lines = ref_text.split('\n')
|
@@ -349,10 +501,9 @@ def parse_arxiv_refs(ref_text: str):
|
|
349 |
'download_base64': '',
|
350 |
}
|
351 |
except Exception as e:
|
352 |
-
st.warning(f"Error parsing paper header: {str(e)}")
|
353 |
current_paper = {}
|
354 |
continue
|
355 |
-
|
356 |
elif current_paper:
|
357 |
# If authors not set, fill it; otherwise, fill summary
|
358 |
if not current_paper['authors']:
|
@@ -369,47 +520,47 @@ def parse_arxiv_refs(ref_text: str):
|
|
369 |
return results[:20]
|
370 |
|
371 |
def create_paper_links_md(papers):
|
372 |
-
"""
|
|
|
|
|
373 |
lines = ["# Paper Links\n"]
|
374 |
for i, p in enumerate(papers, start=1):
|
375 |
lines.append(f"{i}. **{p['title']}** — [Arxiv]({p['url']})")
|
376 |
return "\n".join(lines)
|
377 |
|
378 |
-
def create_paper_audio_files(papers, input_question):
|
379 |
"""
|
380 |
-
For each paper, generate TTS audio summary
|
381 |
-
|
382 |
"""
|
383 |
for paper in papers:
|
384 |
try:
|
385 |
audio_text = f"{paper['title']} by {paper['authors']}. {paper['summary']}"
|
386 |
audio_text = clean_for_speech(audio_text)
|
387 |
file_format = st.session_state['audio_format']
|
388 |
-
audio_file =
|
389 |
audio_text,
|
390 |
voice=st.session_state['tts_voice'],
|
391 |
file_format=file_format
|
392 |
)
|
393 |
paper['full_audio'] = audio_file
|
394 |
-
|
395 |
if audio_file:
|
396 |
-
|
397 |
-
|
398 |
-
|
399 |
-
|
400 |
-
paper['download_base64'] = (
|
401 |
-
f'<a href="data:audio/{mime_type};base64,{b64_data}" '
|
402 |
-
f'download="{download_filename}">🎵 Download {download_filename}</a>'
|
403 |
-
)
|
404 |
|
405 |
except Exception as e:
|
406 |
-
st.warning(f"Error processing paper {paper['title']}: {str(e)}")
|
407 |
paper['full_audio'] = None
|
408 |
paper['download_base64'] = ''
|
409 |
|
410 |
def display_papers(papers, marquee_settings):
|
411 |
-
"""
|
412 |
-
|
|
|
|
|
413 |
for i, paper in enumerate(papers, start=1):
|
414 |
marquee_text = f"📄 {paper['title']} | 👤 {paper['authors'][:120]} | 📝 {paper['summary'][:200]}"
|
415 |
display_marquee(marquee_text, marquee_settings, key_suffix=f"paper_{i}")
|
@@ -419,13 +570,15 @@ def display_papers(papers, marquee_settings):
|
|
419 |
st.markdown(f"*Authors:* {paper['authors']}")
|
420 |
st.markdown(paper['summary'])
|
421 |
if paper.get('full_audio'):
|
422 |
-
st.write("📚 Paper Audio")
|
423 |
st.audio(paper['full_audio'])
|
424 |
if paper['download_base64']:
|
425 |
st.markdown(paper['download_base64'], unsafe_allow_html=True)
|
426 |
|
427 |
def display_papers_in_sidebar(papers):
|
428 |
-
"""
|
|
|
|
|
429 |
st.sidebar.title("🎶 Papers & Audio")
|
430 |
for i, paper in enumerate(papers, start=1):
|
431 |
with st.sidebar.expander(f"{i}. {paper['title']}"):
|
@@ -439,13 +592,13 @@ def display_papers_in_sidebar(papers):
|
|
439 |
st.markdown(f"**Summary:** {paper['summary'][:300]}...")
|
440 |
|
441 |
# ─────────────────────────────────────────────────────────
|
442 |
-
#
|
443 |
# ─────────────────────────────────────────────────────────
|
444 |
|
445 |
def create_zip_of_files(md_files, mp3_files, wav_files, input_question):
|
446 |
"""
|
447 |
-
Zip up all relevant files,
|
448 |
-
|
449 |
"""
|
450 |
md_files = [f for f in md_files if os.path.basename(f).lower() != 'readme.md']
|
451 |
all_files = md_files + mp3_files + wav_files
|
@@ -455,7 +608,7 @@ def create_zip_of_files(md_files, mp3_files, wav_files, input_question):
|
|
455 |
all_content = []
|
456 |
for f in all_files:
|
457 |
if f.endswith('.md'):
|
458 |
-
with open(f,
|
459 |
all_content.append(file.read())
|
460 |
elif f.endswith('.mp3') or f.endswith('.wav'):
|
461 |
basename = os.path.splitext(os.path.basename(f))[0]
|
@@ -476,81 +629,60 @@ def create_zip_of_files(md_files, mp3_files, wav_files, input_question):
|
|
476 |
return short_zip_name
|
477 |
|
478 |
# ─────────────────────────────────────────────────────────
|
479 |
-
#
|
480 |
# ─────────────────────────────────────────────────────────
|
481 |
|
482 |
-
def perform_ai_lookup(
|
483 |
-
|
484 |
-
|
485 |
-
|
486 |
-
|
487 |
-
|
488 |
-
|
489 |
-
|
490 |
-
|
491 |
-
|
492 |
-
|
493 |
-
|
494 |
-
|
495 |
-
|
496 |
-
|
497 |
-
|
498 |
-
|
499 |
-
|
500 |
-
|
501 |
-
|
502 |
-
|
503 |
-
|
504 |
-
|
505 |
-
|
506 |
-
st.subheader("📝 Main Response Audio")
|
507 |
-
play_and_download_audio(audio_file, st.session_state['audio_format'])
|
508 |
-
|
509 |
-
# --- 2) Arxiv RAG
|
510 |
-
searchRAG=False
|
511 |
-
if searchRAG:
|
512 |
-
st.write("Arxiv's AI this Evening is Mixtral 8x7B...")
|
513 |
-
client = Client("awacke1/Arxiv-Paper-Search-And-QA-RAG-Pattern")
|
514 |
-
refs = client.predict(
|
515 |
-
q,
|
516 |
-
10,
|
517 |
-
"Semantic Search",
|
518 |
-
"mistralai/Mixtral-8x7B-Instruct-v0.1",
|
519 |
-
api_name="/update_with_rag_md"
|
520 |
-
)[0]
|
521 |
-
r2 = client.predict(
|
522 |
-
q,
|
523 |
-
"mistralai/Mixtral-8x7B-Instruct-v0.1",
|
524 |
-
True,
|
525 |
-
api_name="/ask_llm"
|
526 |
)
|
527 |
-
|
528 |
-
|
529 |
-
|
530 |
-
#
|
531 |
-
|
532 |
-
|
533 |
-
|
534 |
-
|
535 |
-
|
536 |
-
|
537 |
-
|
538 |
-
|
539 |
-
|
540 |
-
|
541 |
-
|
542 |
-
else:
|
543 |
-
st.warning("No papers found in the response.")
|
544 |
-
|
545 |
-
elapsed = time.time() - start
|
546 |
-
st.write(f"**Total Elapsed:** {elapsed:.2f} s")
|
547 |
-
return result
|
548 |
|
549 |
-
def process_voice_input(text):
|
550 |
-
"""
|
|
|
|
|
|
|
551 |
if not text:
|
552 |
return
|
553 |
st.subheader("🔍 Search Results")
|
|
|
|
|
554 |
result = perform_ai_lookup(
|
555 |
text,
|
556 |
vocal_summary=True,
|
@@ -558,25 +690,98 @@ def process_voice_input(text):
|
|
558 |
titles_summary=True,
|
559 |
full_audio=True
|
560 |
)
|
561 |
-
|
|
|
|
|
|
|
562 |
st.subheader("📝 Generated Files")
|
563 |
-
st.write(f"Markdown
|
564 |
-
|
565 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
566 |
|
567 |
# ─────────────────────────────────────────────��───────────
|
568 |
-
#
|
569 |
# ─────────────────────────────────────────────────────────
|
570 |
|
571 |
def display_file_history_in_sidebar():
|
572 |
"""
|
573 |
-
Shows a history of
|
574 |
-
|
575 |
"""
|
576 |
st.sidebar.markdown("---")
|
577 |
st.sidebar.markdown("### 📂 File History")
|
578 |
|
579 |
-
# Gather all files
|
580 |
md_files = glob.glob("*.md")
|
581 |
mp3_files = glob.glob("*.mp3")
|
582 |
wav_files = glob.glob("*.wav")
|
@@ -586,7 +791,7 @@ def display_file_history_in_sidebar():
|
|
586 |
st.sidebar.write("No files found.")
|
587 |
return
|
588 |
|
589 |
-
# Sort newest first
|
590 |
all_files = sorted(all_files, key=os.path.getmtime, reverse=True)
|
591 |
|
592 |
for f in all_files:
|
@@ -603,39 +808,44 @@ def display_file_history_in_sidebar():
|
|
603 |
if len(snippet) == 200:
|
604 |
snippet += "..."
|
605 |
st.write(snippet)
|
606 |
-
|
|
|
607 |
elif ext in ["mp3","wav"]:
|
608 |
st.audio(f)
|
609 |
-
|
|
|
610 |
else:
|
611 |
-
|
|
|
612 |
|
613 |
# ─────────────────────────────────────────────────────────
|
614 |
-
#
|
615 |
# ─────────────────────────────────────────────────────────
|
616 |
|
617 |
def main():
|
618 |
-
# 1) Setup marquee UI in the sidebar
|
619 |
update_marquee_settings_ui()
|
620 |
marquee_settings = get_marquee_settings()
|
621 |
|
622 |
-
# 2) Display the marquee welcome
|
623 |
-
display_marquee(
|
624 |
-
|
625 |
-
|
|
|
|
|
626 |
|
627 |
-
# 3) Main action tabs
|
628 |
tab_main = st.radio("Action:", ["🎤 Voice", "📸 Media", "🔍 ArXiv", "📝 Editor"],
|
629 |
horizontal=True)
|
630 |
|
631 |
-
#
|
632 |
mycomponent = components.declare_component("mycomponent", path="mycomponent")
|
633 |
-
val = mycomponent(my_input_value="Hello")
|
634 |
|
635 |
if val:
|
636 |
val_stripped = val.replace('\\n', ' ')
|
637 |
edited_input = st.text_area("✏️ Edit Input:", value=val_stripped, height=100)
|
638 |
-
run_option = st.selectbox("Model:", ["Arxiv"])
|
639 |
col1, col2 = st.columns(2)
|
640 |
with col1:
|
641 |
autorun = st.checkbox("⚙ AutoRun", value=True)
|
@@ -661,7 +871,7 @@ def main():
|
|
661 |
extended_refs=False,
|
662 |
titles_summary=True,
|
663 |
full_audio=full_audio)
|
664 |
-
|
665 |
# ─────────────────────────────────────────────────────────
|
666 |
# TAB: ArXiv
|
667 |
# ─────────────────────────────────────────────────────────
|
@@ -678,8 +888,11 @@ def main():
|
|
678 |
|
679 |
if q and st.button("🔍Run"):
|
680 |
st.session_state.last_query = q
|
681 |
-
result = perform_ai_lookup(q,
|
682 |
-
|
|
|
|
|
|
|
683 |
if full_transcript:
|
684 |
create_file(q, result, "md")
|
685 |
|
@@ -687,52 +900,16 @@ def main():
|
|
687 |
# TAB: Voice
|
688 |
# ─────────────────────────────────────────────────────────
|
689 |
elif tab_main == "🎤 Voice":
|
690 |
-
|
691 |
-
|
692 |
-
st.markdown("### 🎤 Voice Settings")
|
693 |
-
selected_voice = st.selectbox(
|
694 |
-
"Select TTS Voice:",
|
695 |
-
options=EDGE_TTS_VOICES,
|
696 |
-
index=EDGE_TTS_VOICES.index(st.session_state['tts_voice'])
|
697 |
-
)
|
698 |
-
|
699 |
-
st.markdown("### 🔊 Audio Format")
|
700 |
-
selected_format = st.radio(
|
701 |
-
"Choose Audio Format:",
|
702 |
-
options=["MP3", "WAV"],
|
703 |
-
index=0
|
704 |
-
)
|
705 |
-
|
706 |
-
# Update session state if voice/format changes
|
707 |
-
if selected_voice != st.session_state['tts_voice']:
|
708 |
-
st.session_state['tts_voice'] = selected_voice
|
709 |
-
st.rerun()
|
710 |
-
if selected_format.lower() != st.session_state['audio_format']:
|
711 |
-
st.session_state['audio_format'] = selected_format.lower()
|
712 |
-
st.rerun()
|
713 |
-
|
714 |
-
# Input text
|
715 |
-
user_text = st.text_area("💬 Message:", height=100)
|
716 |
-
user_text = user_text.strip().replace('\n', ' ')
|
717 |
-
|
718 |
-
if st.button("📨 Send"):
|
719 |
-
process_voice_input(user_text)
|
720 |
-
|
721 |
-
st.subheader("📜 Chat History")
|
722 |
-
for c in st.session_state.chat_history:
|
723 |
-
st.write("**You:**", c["user"])
|
724 |
-
st.write("**Response:**", c["claude"])
|
725 |
|
726 |
# ─────────────────────────────────────────────────────────
|
727 |
# TAB: Media
|
728 |
# ─────────────────────────────────────────────────────────
|
729 |
elif tab_main == "📸 Media":
|
730 |
st.header("📸 Media Gallery")
|
731 |
-
|
732 |
-
# By default, show audio first
|
733 |
tabs = st.tabs(["🎵 Audio", "🖼 Images", "🎥 Video"])
|
734 |
|
735 |
-
# AUDIO sub-tab
|
736 |
with tabs[0]:
|
737 |
st.subheader("🎵 Audio Files")
|
738 |
audio_files = glob.glob("*.mp3") + glob.glob("*.wav")
|
@@ -741,12 +918,12 @@ def main():
|
|
741 |
with st.expander(os.path.basename(a)):
|
742 |
st.audio(a)
|
743 |
ext = os.path.splitext(a)[1].replace('.', '')
|
744 |
-
dl_link =
|
745 |
st.markdown(dl_link, unsafe_allow_html=True)
|
746 |
else:
|
747 |
st.write("No audio files found.")
|
748 |
|
749 |
-
# IMAGES sub-tab
|
750 |
with tabs[1]:
|
751 |
st.subheader("🖼 Image Files")
|
752 |
imgs = glob.glob("*.png") + glob.glob("*.jpg") + glob.glob("*.jpeg")
|
@@ -759,7 +936,7 @@ def main():
|
|
759 |
else:
|
760 |
st.write("No images found.")
|
761 |
|
762 |
-
# VIDEO sub-tab
|
763 |
with tabs[2]:
|
764 |
st.subheader("🎥 Video Files")
|
765 |
vids = glob.glob("*.mp4") + glob.glob("*.mov") + glob.glob("*.avi")
|
@@ -774,14 +951,16 @@ def main():
|
|
774 |
# TAB: Editor
|
775 |
# ─────────────────────────────────────────────────────────
|
776 |
elif tab_main == "📝 Editor":
|
777 |
-
st.write("
|
|
|
778 |
|
779 |
# ─────────────────────────────────────────────────────────
|
780 |
-
# SIDEBAR: FILE HISTORY
|
781 |
# ─────────────────────────────────────────────────────────
|
782 |
display_file_history_in_sidebar()
|
|
|
783 |
|
784 |
-
# Some light CSS styling
|
785 |
st.markdown("""
|
786 |
<style>
|
787 |
.main { background: linear-gradient(to right, #1a1a1a, #2d2d2d); color: #fff; }
|
@@ -790,10 +969,14 @@ def main():
|
|
790 |
</style>
|
791 |
""", unsafe_allow_html=True)
|
792 |
|
793 |
-
# Rerun if needed
|
794 |
if st.session_state.should_rerun:
|
795 |
st.session_state.should_rerun = False
|
796 |
-
st.
|
|
|
|
|
|
|
|
|
797 |
|
798 |
if __name__ == "__main__":
|
799 |
main()
|
|
|
1 |
import streamlit as st
|
2 |
+
import anthropic
|
3 |
+
import openai
|
4 |
+
import base64
|
5 |
+
import cv2
|
6 |
+
import glob
|
7 |
+
import json
|
8 |
+
import math
|
9 |
+
import os
|
10 |
+
import pytz
|
11 |
+
import random
|
12 |
+
import re
|
13 |
+
import requests
|
14 |
+
import textract
|
15 |
+
import time
|
16 |
+
import zipfile
|
17 |
import plotly.graph_objects as go
|
18 |
import streamlit.components.v1 as components
|
19 |
from datetime import datetime
|
|
|
34 |
import asyncio
|
35 |
import edge_tts
|
36 |
from streamlit_marquee import streamlit_marquee
|
37 |
+
from typing import Tuple, Optional
|
38 |
+
import pandas as pd
|
39 |
|
40 |
# ─────────────────────────────────────────────────────────
|
41 |
# 1. CORE CONFIGURATION & SETUP
|
42 |
# ─────────────────────────────────────────────────────────
|
43 |
+
|
44 |
st.set_page_config(
|
45 |
page_title="🚲TalkingAIResearcher🏆",
|
46 |
page_icon="🚲🏆",
|
|
|
54 |
)
|
55 |
load_dotenv()
|
56 |
|
57 |
+
# ▶ Available English voices for Edge TTS
|
58 |
EDGE_TTS_VOICES = [
|
59 |
"en-US-AriaNeural",
|
60 |
"en-US-GuyNeural",
|
|
|
67 |
"en-CA-LiamNeural"
|
68 |
]
|
69 |
|
70 |
+
# ▶ Initialize Session State
|
71 |
if 'marquee_settings' not in st.session_state:
|
72 |
st.session_state['marquee_settings'] = {
|
73 |
"background": "#1E1E1E",
|
|
|
77 |
"width": "100%",
|
78 |
"lineHeight": "35px"
|
79 |
}
|
|
|
80 |
if 'tts_voice' not in st.session_state:
|
81 |
st.session_state['tts_voice'] = EDGE_TTS_VOICES[0]
|
|
|
82 |
if 'audio_format' not in st.session_state:
|
83 |
st.session_state['audio_format'] = 'mp3'
|
|
|
84 |
if 'transcript_history' not in st.session_state:
|
85 |
st.session_state['transcript_history'] = []
|
|
|
86 |
if 'chat_history' not in st.session_state:
|
87 |
st.session_state['chat_history'] = []
|
|
|
88 |
if 'openai_model' not in st.session_state:
|
89 |
st.session_state['openai_model'] = "gpt-4o-2024-05-13"
|
|
|
90 |
if 'messages' not in st.session_state:
|
91 |
st.session_state['messages'] = []
|
|
|
92 |
if 'last_voice_input' not in st.session_state:
|
93 |
st.session_state['last_voice_input'] = ""
|
|
|
94 |
if 'editing_file' not in st.session_state:
|
95 |
st.session_state['editing_file'] = None
|
|
|
96 |
if 'edit_new_name' not in st.session_state:
|
97 |
st.session_state['edit_new_name'] = ""
|
|
|
98 |
if 'edit_new_content' not in st.session_state:
|
99 |
st.session_state['edit_new_content'] = ""
|
|
|
100 |
if 'viewing_prefix' not in st.session_state:
|
101 |
st.session_state['viewing_prefix'] = None
|
|
|
102 |
if 'should_rerun' not in st.session_state:
|
103 |
st.session_state['should_rerun'] = False
|
|
|
104 |
if 'old_val' not in st.session_state:
|
105 |
st.session_state['old_val'] = None
|
|
|
106 |
if 'last_query' not in st.session_state:
|
107 |
st.session_state['last_query'] = ""
|
|
|
108 |
if 'marquee_content' not in st.session_state:
|
109 |
st.session_state['marquee_content'] = "🚀 Welcome to TalkingAIResearcher | 🤖 Your Research Assistant"
|
110 |
|
111 |
+
# ▶ Additional keys for performance, caching, etc.
|
112 |
+
if 'audio_cache' not in st.session_state:
|
113 |
+
st.session_state['audio_cache'] = {}
|
114 |
+
if 'download_link_cache' not in st.session_state:
|
115 |
+
st.session_state['download_link_cache'] = {}
|
116 |
+
if 'operation_timings' not in st.session_state:
|
117 |
+
st.session_state['operation_timings'] = {}
|
118 |
+
if 'performance_metrics' not in st.session_state:
|
119 |
+
st.session_state['performance_metrics'] = defaultdict(list)
|
120 |
+
if 'enable_audio' not in st.session_state:
|
121 |
+
st.session_state['enable_audio'] = True # Turn TTS on/off
|
122 |
+
|
123 |
+
# ▶ API Keys
|
124 |
openai_api_key = os.getenv('OPENAI_API_KEY', "")
|
125 |
anthropic_key = os.getenv('ANTHROPIC_API_KEY_3', "")
|
126 |
xai_key = os.getenv('xai',"")
|
|
|
134 |
HF_KEY = os.getenv('HF_KEY')
|
135 |
API_URL = os.getenv('API_URL')
|
136 |
|
137 |
+
# ▶ Helper constants
|
138 |
FILE_EMOJIS = {
|
139 |
"md": "📝",
|
140 |
"mp3": "🎵",
|
|
|
142 |
}
|
143 |
|
144 |
# ─────────────────────────────────────────────────────────
|
145 |
+
# 2. PERFORMANCE MONITORING & TIMING
|
146 |
+
# ─────────────────────────────────────────────────────────
|
147 |
+
|
148 |
+
class PerformanceTimer:
|
149 |
+
"""
|
150 |
+
⏱️ A context manager for timing operations with automatic logging.
|
151 |
+
Usage:
|
152 |
+
with PerformanceTimer("my_operation"):
|
153 |
+
# do something
|
154 |
+
The duration is stored into `st.session_state['operation_timings']`
|
155 |
+
and appended to the `performance_metrics` list.
|
156 |
+
"""
|
157 |
+
def __init__(self, operation_name: str):
|
158 |
+
self.operation_name = operation_name
|
159 |
+
self.start_time = None
|
160 |
+
|
161 |
+
def __enter__(self):
|
162 |
+
self.start_time = time.time()
|
163 |
+
return self
|
164 |
+
|
165 |
+
def __exit__(self, exc_type, exc_val, exc_tb):
|
166 |
+
if not exc_type: # Only log if no exception occurred
|
167 |
+
duration = time.time() - self.start_time
|
168 |
+
st.session_state['operation_timings'][self.operation_name] = duration
|
169 |
+
st.session_state['performance_metrics'][self.operation_name].append(duration)
|
170 |
+
|
171 |
+
def log_performance_metrics():
|
172 |
+
"""
|
173 |
+
📈 Display performance metrics in the sidebar, including a timing breakdown
|
174 |
+
and a small bar chart of average times.
|
175 |
+
"""
|
176 |
+
st.sidebar.markdown("### ⏱️ Performance Metrics")
|
177 |
+
|
178 |
+
metrics = st.session_state['operation_timings']
|
179 |
+
if metrics:
|
180 |
+
total_time = sum(metrics.values())
|
181 |
+
st.sidebar.write(f"**Total Processing Time:** {total_time:.2f}s")
|
182 |
+
|
183 |
+
# Break down each operation time
|
184 |
+
for operation, duration in metrics.items():
|
185 |
+
percentage = (duration / total_time) * 100
|
186 |
+
st.sidebar.write(f"**{operation}:** {duration:.2f}s ({percentage:.1f}%)")
|
187 |
+
|
188 |
+
# Show timing history chart
|
189 |
+
history_data = []
|
190 |
+
for op, times in st.session_state['performance_metrics'].items():
|
191 |
+
if times: # Only if we have data
|
192 |
+
avg_time = sum(times) / len(times)
|
193 |
+
history_data.append({"Operation": op, "Avg Time (s)": avg_time})
|
194 |
+
|
195 |
+
if history_data:
|
196 |
+
st.sidebar.markdown("### 📊 Timing History (Avg)")
|
197 |
+
chart_data = pd.DataFrame(history_data)
|
198 |
+
st.sidebar.bar_chart(chart_data.set_index("Operation"))
|
199 |
+
|
200 |
+
# ─────────────────────────────────────────────────────────
|
201 |
+
# 3. HELPER FUNCTIONS (FILENAMES, LINKS, MARQUEE, ETC.)
|
202 |
# ─────────────────────────────────────────────────────────
|
203 |
|
204 |
def get_central_time():
|
205 |
+
"""🌎 Get current time in US Central timezone."""
|
206 |
central = pytz.timezone('US/Central')
|
207 |
return datetime.now(central)
|
208 |
|
209 |
def format_timestamp_prefix():
|
210 |
+
"""📅 Generate a timestamp prefix: MM_dd_yy_hh_mm_AM/PM."""
|
211 |
ct = get_central_time()
|
212 |
return ct.strftime("%m_%d_%y_%I_%M_%p")
|
213 |
|
214 |
def initialize_marquee_settings():
|
215 |
+
"""🌈 Initialize marquee defaults if needed."""
|
216 |
if 'marquee_settings' not in st.session_state:
|
217 |
st.session_state['marquee_settings'] = {
|
218 |
"background": "#1E1E1E",
|
|
|
224 |
}
|
225 |
|
226 |
def get_marquee_settings():
|
227 |
+
"""🔧 Retrieve marquee settings from session."""
|
228 |
initialize_marquee_settings()
|
229 |
return st.session_state['marquee_settings']
|
230 |
|
231 |
def update_marquee_settings_ui():
|
232 |
+
"""🖌 Add color pickers & sliders for marquee config in the sidebar."""
|
233 |
st.sidebar.markdown("### 🎯 Marquee Settings")
|
234 |
cols = st.sidebar.columns(2)
|
235 |
with cols[0]:
|
|
|
241 |
key="text_color_picker")
|
242 |
with cols[1]:
|
243 |
font_size = st.slider("📏 Size", 10, 24, 14, key="font_size_slider")
|
244 |
+
duration = st.slider("⏱️ Speed (secs)", 1, 20, 20, key="duration_slider")
|
245 |
|
246 |
st.session_state['marquee_settings'].update({
|
247 |
"background": bg_color,
|
|
|
251 |
})
|
252 |
|
253 |
def display_marquee(text, settings, key_suffix=""):
|
254 |
+
"""
|
255 |
+
🎉 Show a marquee text with style from the marquee settings.
|
256 |
+
Automatically truncates text to ~280 chars to avoid overflow.
|
257 |
+
"""
|
258 |
truncated_text = text[:280] + "..." if len(text) > 280 else text
|
259 |
streamlit_marquee(
|
260 |
content=truncated_text,
|
|
|
264 |
st.write("")
|
265 |
|
266 |
def get_high_info_terms(text: str, top_n=10) -> list:
|
267 |
+
"""
|
268 |
+
📌 Extract top_n frequent words & bigrams (excluding common stopwords).
|
269 |
+
Useful for generating short descriptive keywords from Q/A content.
|
270 |
+
"""
|
271 |
stop_words = set(['the', 'a', 'an', 'and', 'or', 'but', 'in', 'on', 'at', 'to', 'for', 'of', 'with'])
|
272 |
words = re.findall(r'\b\w+(?:-\w+)*\b', text.lower())
|
273 |
bi_grams = [' '.join(pair) for pair in zip(words, words[1:])]
|
|
|
277 |
return [term for term, freq in counter.most_common(top_n)]
|
278 |
|
279 |
def clean_text_for_filename(text: str) -> str:
|
280 |
+
"""
|
281 |
+
🏷️ Remove special chars & short unhelpful words from text for safer filenames.
|
282 |
+
Returns a lowercased, underscore-joined token string.
|
283 |
+
"""
|
284 |
text = text.lower()
|
285 |
text = re.sub(r'[^\w\s-]', '', text)
|
286 |
words = text.split()
|
|
|
287 |
stop_short = set(['the', 'and', 'for', 'with', 'this', 'that', 'ai', 'library'])
|
288 |
filtered = [w for w in words if len(w) > 3 and w not in stop_short]
|
289 |
return '_'.join(filtered)[:200]
|
290 |
|
291 |
def generate_filename(prompt, response, file_type="md", max_length=200):
|
292 |
"""
|
293 |
+
📁 Create a shortened filename based on prompt+response content:
|
294 |
+
1) Extract top info terms,
|
295 |
+
2) Combine snippet from prompt+response,
|
296 |
+
3) Remove duplicates,
|
297 |
+
4) Truncate if needed.
|
298 |
"""
|
299 |
prefix = format_timestamp_prefix() + "_"
|
300 |
combined_text = (prompt + " " + response)[:200]
|
|
|
302 |
snippet = (prompt[:40] + " " + response[:40]).strip()
|
303 |
snippet_cleaned = clean_text_for_filename(snippet)
|
304 |
|
305 |
+
# Remove duplicates
|
306 |
name_parts = info_terms + [snippet_cleaned]
|
307 |
seen = set()
|
308 |
unique_parts = []
|
|
|
319 |
return f"{prefix}{full_name}.{file_type}"
|
320 |
|
321 |
def create_file(prompt, response, file_type="md"):
|
322 |
+
"""
|
323 |
+
📝 Create a text file from prompt + response with a sanitized filename.
|
324 |
+
Returns the created filename.
|
325 |
+
"""
|
326 |
filename = generate_filename(prompt.strip(), response.strip(), file_type)
|
327 |
with open(filename, 'w', encoding='utf-8') as f:
|
328 |
f.write(prompt + "\n\n" + response)
|
329 |
return filename
|
330 |
|
331 |
+
# ─────────────────────────────────────────────────────────
|
332 |
+
# 4. OPTIMIZED AUDIO GENERATION (ASYNC TTS + CACHING)
|
333 |
+
# ─────────────────────────────────────────────────────────
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
334 |
|
335 |
def clean_for_speech(text: str) -> str:
|
336 |
+
"""
|
337 |
+
🔉 Clean up text for TTS output with enhanced cleaning.
|
338 |
+
Removes markdown, code blocks, links, etc.
|
339 |
+
"""
|
340 |
+
with PerformanceTimer("text_cleaning"):
|
341 |
+
# Remove markdown headers
|
342 |
+
text = re.sub(r'#+ ', '', text)
|
343 |
+
# Remove link formats [text](url)
|
344 |
+
text = re.sub(r'\[([^\]]+)\]\([^\)]+\)', r'\1', text)
|
345 |
+
# Remove emphasis markers (*, _, ~, `)
|
346 |
+
text = re.sub(r'[*_~`]', '', text)
|
347 |
+
# Remove code blocks
|
348 |
+
text = re.sub(r'```[\s\S]*?```', '', text)
|
349 |
+
text = re.sub(r'`[^`]*`', '', text)
|
350 |
+
# Remove excess whitespace
|
351 |
+
text = re.sub(r'\s+', ' ', text).replace("\n", " ")
|
352 |
+
# Remove hidden S tokens
|
353 |
+
text = text.replace("</s>", " ")
|
354 |
+
# Remove URLs
|
355 |
+
text = re.sub(r'https?://\S+', '', text)
|
356 |
+
text = re.sub(r'\(https?://[^\)]+\)', '', text)
|
357 |
+
text = text.strip()
|
358 |
+
return text
|
359 |
+
|
360 |
+
async def async_edge_tts_generate(
|
361 |
+
text: str,
|
362 |
+
voice: str,
|
363 |
+
rate: int = 0,
|
364 |
+
pitch: int = 0,
|
365 |
+
file_format: str = "mp3"
|
366 |
+
) -> Tuple[Optional[str], float]:
|
367 |
+
"""
|
368 |
+
🎶 Asynchronous TTS generation with caching and performance tracking.
|
369 |
+
Returns (filename, generation_time).
|
370 |
+
"""
|
371 |
+
with PerformanceTimer("tts_generation") as timer:
|
372 |
+
# ▶ Clean & validate text
|
373 |
+
text = clean_for_speech(text)
|
374 |
+
if not text.strip():
|
375 |
+
return None, 0
|
376 |
+
|
377 |
+
# ▶ Check cache (avoid regenerating the same TTS)
|
378 |
+
cache_key = f"{text[:100]}_{voice}_{rate}_{pitch}_{file_format}"
|
379 |
+
if cache_key in st.session_state['audio_cache']:
|
380 |
+
return st.session_state['audio_cache'][cache_key], 0
|
381 |
+
|
382 |
+
try:
|
383 |
+
# ▶ Generate audio
|
384 |
+
rate_str = f"{rate:+d}%"
|
385 |
+
pitch_str = f"{pitch:+d}Hz"
|
386 |
+
communicate = edge_tts.Communicate(text, voice, rate=rate_str, pitch=pitch_str)
|
387 |
+
|
388 |
+
# ▶ Generate unique filename
|
389 |
+
timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
|
390 |
+
filename = f"audio_{timestamp}_{random.randint(1000, 9999)}.{file_format}"
|
391 |
+
|
392 |
+
# ▶ Save audio file
|
393 |
+
await communicate.save(filename)
|
394 |
+
|
395 |
+
# ▶ Store in cache
|
396 |
+
st.session_state['audio_cache'][cache_key] = filename
|
397 |
+
|
398 |
+
# ▶ Return path + timing
|
399 |
+
return filename, time.time() - timer.start_time
|
400 |
+
|
401 |
+
except Exception as e:
|
402 |
+
st.error(f"❌ Error generating audio: {str(e)}")
|
403 |
+
return None, 0
|
404 |
+
|
405 |
+
async def async_save_qa_with_audio(
|
406 |
+
question: str,
|
407 |
+
answer: str,
|
408 |
+
voice: Optional[str] = None
|
409 |
+
) -> Tuple[str, Optional[str], float, float]:
|
410 |
+
"""
|
411 |
+
📝 Asynchronously save Q&A to markdown, then generate audio if enabled.
|
412 |
+
Returns (md_file, audio_file, md_time, audio_time).
|
413 |
+
"""
|
414 |
+
voice = voice or st.session_state['tts_voice']
|
415 |
|
416 |
+
with PerformanceTimer("qa_save") as timer:
|
417 |
+
# ▶ Save Q/A as markdown
|
418 |
+
md_start = time.time()
|
419 |
+
md_file = create_file(question, answer, "md")
|
420 |
+
md_time = time.time() - md_start
|
421 |
+
|
422 |
+
# ▶ Generate audio (if globally enabled)
|
423 |
+
audio_file = None
|
424 |
+
audio_time = 0
|
425 |
+
if st.session_state['enable_audio']:
|
426 |
+
audio_text = f"{question}\n\nAnswer: {answer}"
|
427 |
+
audio_file, audio_time = await async_edge_tts_generate(
|
428 |
+
audio_text,
|
429 |
+
voice=voice,
|
430 |
+
file_format=st.session_state['audio_format']
|
431 |
+
)
|
432 |
+
|
433 |
+
return md_file, audio_file, md_time, audio_time
|
434 |
+
|
435 |
+
def create_download_link_with_cache(file_path: str, file_type: str = "mp3") -> str:
|
436 |
+
"""
|
437 |
+
⬇️ Create a download link for a file with caching & error handling.
|
438 |
+
"""
|
439 |
+
with PerformanceTimer("download_link_generation"):
|
440 |
+
cache_key = f"dl_{file_path}"
|
441 |
+
if cache_key in st.session_state['download_link_cache']:
|
442 |
+
return st.session_state['download_link_cache'][cache_key]
|
443 |
+
|
444 |
+
try:
|
445 |
+
with open(file_path, "rb") as f:
|
446 |
+
b64 = base64.b64encode(f.read()).decode()
|
447 |
+
filename = os.path.basename(file_path)
|
448 |
+
|
449 |
+
if file_type == "mp3":
|
450 |
+
link = f'<a href="data:audio/mpeg;base64,{b64}" download="{filename}">🎵 Download {filename}</a>'
|
451 |
+
elif file_type == "wav":
|
452 |
+
link = f'<a href="data:audio/wav;base64,{b64}" download="{filename}">🔊 Download {filename}</a>'
|
453 |
+
elif file_type == "md":
|
454 |
+
link = f'<a href="data:text/markdown;base64,{b64}" download="{filename}">📝 Download {filename}</a>'
|
455 |
+
else:
|
456 |
+
link = f'<a href="data:application/octet-stream;base64,{b64}" download="{filename}">⬇️ Download {filename}</a>'
|
457 |
+
|
458 |
+
st.session_state['download_link_cache'][cache_key] = link
|
459 |
+
return link
|
460 |
+
|
461 |
+
except Exception as e:
|
462 |
+
st.error(f"❌ Error creating download link: {str(e)}")
|
463 |
+
return ""
|
464 |
|
465 |
# ─────────────────────────────────────────────────────────
|
466 |
+
# 5. RESEARCH / ARXIV FUNCTIONS
|
467 |
# ─────────────────────────────────────────────────────────
|
468 |
|
469 |
def parse_arxiv_refs(ref_text: str):
|
470 |
"""
|
471 |
+
📜 Given a multi-line markdown with Arxiv references,
|
472 |
+
parse them into a list of dicts: {date, title, url, authors, summary}.
|
473 |
"""
|
474 |
if not ref_text:
|
475 |
return []
|
|
|
476 |
results = []
|
477 |
current_paper = {}
|
478 |
lines = ref_text.split('\n')
|
|
|
501 |
'download_base64': '',
|
502 |
}
|
503 |
except Exception as e:
|
504 |
+
st.warning(f"⚠️ Error parsing paper header: {str(e)}")
|
505 |
current_paper = {}
|
506 |
continue
|
|
|
507 |
elif current_paper:
|
508 |
# If authors not set, fill it; otherwise, fill summary
|
509 |
if not current_paper['authors']:
|
|
|
520 |
return results[:20]
|
521 |
|
522 |
def create_paper_links_md(papers):
|
523 |
+
"""
|
524 |
+
🔗 Create a minimal .md content linking to each paper's Arxiv URL.
|
525 |
+
"""
|
526 |
lines = ["# Paper Links\n"]
|
527 |
for i, p in enumerate(papers, start=1):
|
528 |
lines.append(f"{i}. **{p['title']}** — [Arxiv]({p['url']})")
|
529 |
return "\n".join(lines)
|
530 |
|
531 |
+
async def create_paper_audio_files(papers, input_question):
|
532 |
"""
|
533 |
+
🎧 For each paper, generate TTS audio summary and store the path in `paper['full_audio']`.
|
534 |
+
Also creates a base64 download link in `paper['download_base64']`.
|
535 |
"""
|
536 |
for paper in papers:
|
537 |
try:
|
538 |
audio_text = f"{paper['title']} by {paper['authors']}. {paper['summary']}"
|
539 |
audio_text = clean_for_speech(audio_text)
|
540 |
file_format = st.session_state['audio_format']
|
541 |
+
audio_file, _ = await async_edge_tts_generate(
|
542 |
audio_text,
|
543 |
voice=st.session_state['tts_voice'],
|
544 |
file_format=file_format
|
545 |
)
|
546 |
paper['full_audio'] = audio_file
|
547 |
+
|
548 |
if audio_file:
|
549 |
+
# Convert to base64 link
|
550 |
+
ext = file_format
|
551 |
+
download_link = create_download_link_with_cache(audio_file, file_type=ext)
|
552 |
+
paper['download_base64'] = download_link
|
|
|
|
|
|
|
|
|
553 |
|
554 |
except Exception as e:
|
555 |
+
st.warning(f"⚠️ Error processing paper {paper['title']}: {str(e)}")
|
556 |
paper['full_audio'] = None
|
557 |
paper['download_base64'] = ''
|
558 |
|
559 |
def display_papers(papers, marquee_settings):
|
560 |
+
"""
|
561 |
+
📑 Display paper info in the main area with marquee + expanders + audio.
|
562 |
+
"""
|
563 |
+
st.write("## 🔎 Research Papers")
|
564 |
for i, paper in enumerate(papers, start=1):
|
565 |
marquee_text = f"📄 {paper['title']} | 👤 {paper['authors'][:120]} | 📝 {paper['summary'][:200]}"
|
566 |
display_marquee(marquee_text, marquee_settings, key_suffix=f"paper_{i}")
|
|
|
570 |
st.markdown(f"*Authors:* {paper['authors']}")
|
571 |
st.markdown(paper['summary'])
|
572 |
if paper.get('full_audio'):
|
573 |
+
st.write("📚 **Paper Audio**")
|
574 |
st.audio(paper['full_audio'])
|
575 |
if paper['download_base64']:
|
576 |
st.markdown(paper['download_base64'], unsafe_allow_html=True)
|
577 |
|
578 |
def display_papers_in_sidebar(papers):
|
579 |
+
"""
|
580 |
+
🔎 Mirrors the paper listing in the sidebar with expanders, audio, etc.
|
581 |
+
"""
|
582 |
st.sidebar.title("🎶 Papers & Audio")
|
583 |
for i, paper in enumerate(papers, start=1):
|
584 |
with st.sidebar.expander(f"{i}. {paper['title']}"):
|
|
|
592 |
st.markdown(f"**Summary:** {paper['summary'][:300]}...")
|
593 |
|
594 |
# ─────────────────────────────────────────────────────────
|
595 |
+
# 6. ZIP FUNCTION
|
596 |
# ─────────────────────────────────────────────────────────
|
597 |
|
598 |
def create_zip_of_files(md_files, mp3_files, wav_files, input_question):
|
599 |
"""
|
600 |
+
📦 Zip up all relevant files, generating a short name from high-info terms.
|
601 |
+
Returns the zip filename if created, else None.
|
602 |
"""
|
603 |
md_files = [f for f in md_files if os.path.basename(f).lower() != 'readme.md']
|
604 |
all_files = md_files + mp3_files + wav_files
|
|
|
608 |
all_content = []
|
609 |
for f in all_files:
|
610 |
if f.endswith('.md'):
|
611 |
+
with open(f, "r", encoding='utf-8') as file:
|
612 |
all_content.append(file.read())
|
613 |
elif f.endswith('.mp3') or f.endswith('.wav'):
|
614 |
basename = os.path.splitext(os.path.basename(f))[0]
|
|
|
629 |
return short_zip_name
|
630 |
|
631 |
# ─────────────────────────────────────────────────────────
|
632 |
+
# 7. MAIN AI LOGIC: LOOKUP & TAB HANDLERS
|
633 |
# ─────────────────────────────────────────────────────────
|
634 |
|
635 |
+
def perform_ai_lookup(
|
636 |
+
q,
|
637 |
+
vocal_summary=True,
|
638 |
+
extended_refs=False,
|
639 |
+
titles_summary=True,
|
640 |
+
full_audio=False
|
641 |
+
):
|
642 |
+
"""
|
643 |
+
🔮 Main routine that uses Anthropic (Claude) + optional Gradio ArXiv RAG pipeline.
|
644 |
+
Currently demonstrates calling Anthropic and returning the text.
|
645 |
+
"""
|
646 |
+
with PerformanceTimer("ai_lookup"):
|
647 |
+
start = time.time()
|
648 |
+
|
649 |
+
# ▶ Example call to Anthropic (Claude)
|
650 |
+
client = anthropic.Anthropic(api_key=anthropic_key)
|
651 |
+
user_input = q
|
652 |
+
|
653 |
+
# Here we do a minimal prompt, just to show the call
|
654 |
+
# (You can enhance your prompt engineering as needed)
|
655 |
+
response = client.completions.create(
|
656 |
+
model="claude-2",
|
657 |
+
max_tokens_to_sample=512,
|
658 |
+
prompt=f"{anthropic.HUMAN_PROMPT} {user_input}{anthropic.AI_PROMPT}"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
659 |
)
|
660 |
+
|
661 |
+
result_text = response.completion.strip()
|
662 |
+
|
663 |
+
# ▶ Print and store
|
664 |
+
st.write("### Claude's reply 🧠:")
|
665 |
+
st.markdown(result_text)
|
666 |
+
|
667 |
+
# ▶ We'll add to the chat history
|
668 |
+
st.session_state.chat_history.append({"user": q, "claude": result_text})
|
669 |
+
|
670 |
+
# ▶ Return final text
|
671 |
+
end = time.time()
|
672 |
+
st.write(f"**Elapsed:** {end - start:.2f}s")
|
673 |
+
|
674 |
+
return result_text
|
|
|
|
|
|
|
|
|
|
|
|
|
675 |
|
676 |
+
async def process_voice_input(text):
|
677 |
+
"""
|
678 |
+
🎤 When user sends a voice query, we run the AI lookup + Q/A with audio.
|
679 |
+
Then we store the resulting markdown & audio in session or disk.
|
680 |
+
"""
|
681 |
if not text:
|
682 |
return
|
683 |
st.subheader("🔍 Search Results")
|
684 |
+
|
685 |
+
# ▶ Call AI
|
686 |
result = perform_ai_lookup(
|
687 |
text,
|
688 |
vocal_summary=True,
|
|
|
690 |
titles_summary=True,
|
691 |
full_audio=True
|
692 |
)
|
693 |
+
|
694 |
+
# ▶ Save Q&A as Markdown + audio (async)
|
695 |
+
md_file, audio_file, md_time, audio_time = await async_save_qa_with_audio(text, result)
|
696 |
+
|
697 |
st.subheader("📝 Generated Files")
|
698 |
+
st.write(f"**Markdown:** {md_file} (saved in {md_time:.2f}s)")
|
699 |
+
if audio_file:
|
700 |
+
st.write(f"**Audio:** {audio_file} (generated in {audio_time:.2f}s)")
|
701 |
+
st.audio(audio_file)
|
702 |
+
dl_link = create_download_link_with_cache(audio_file, file_type=st.session_state['audio_format'])
|
703 |
+
st.markdown(dl_link, unsafe_allow_html=True)
|
704 |
+
|
705 |
+
def display_voice_tab():
|
706 |
+
"""
|
707 |
+
🎙️ Display the voice input tab with TTS settings and real-time usage.
|
708 |
+
"""
|
709 |
+
st.subheader("🎤 Voice Input")
|
710 |
+
|
711 |
+
# ▶ Voice Settings
|
712 |
+
st.markdown("### 🎤 Voice Settings")
|
713 |
+
caption_female = 'Top: 🌸 **Aria** – 🎶 **Jenny** – 🌺 **Sonia** – 🌌 **Natasha** – 🌷 **Clara**'
|
714 |
+
caption_male = 'Bottom: 🌟 **Guy** – 🛠️ **Ryan** – 🎻 **William** – 🌟 **Liam**'
|
715 |
+
|
716 |
+
# Optionally, replace with your own local image or comment out
|
717 |
+
# st.sidebar.image('Group Picture - Voices.png', caption=caption_female + ' | ' + caption_male)
|
718 |
+
|
719 |
+
st.sidebar.markdown("""
|
720 |
+
# 🎙️ Voice Character Agent Selector 🎭
|
721 |
+
*Female Voices*:
|
722 |
+
- 🌸 **Aria** – Elegant, creative storytelling
|
723 |
+
- 🎶 **Jenny** – Friendly, conversational
|
724 |
+
- 🌺 **Sonia** – Bold, confident
|
725 |
+
- 🌌 **Natasha** – Sophisticated, mysterious
|
726 |
+
- 🌷 **Clara** – Cheerful, empathetic
|
727 |
+
|
728 |
+
*Male Voices*:
|
729 |
+
- 🌟 **Guy** – Authoritative, versatile
|
730 |
+
- 🛠️ **Ryan** – Approachable, casual
|
731 |
+
- 🎻 **William** – Classic, scholarly
|
732 |
+
- 🌟 **Liam** – Energetic, engaging
|
733 |
+
""")
|
734 |
+
|
735 |
+
selected_voice = st.selectbox(
|
736 |
+
"👄 Select TTS Voice:",
|
737 |
+
options=EDGE_TTS_VOICES,
|
738 |
+
index=EDGE_TTS_VOICES.index(st.session_state['tts_voice'])
|
739 |
+
)
|
740 |
+
|
741 |
+
# ▶ Audio Format
|
742 |
+
st.markdown("### 🔊 Audio Format")
|
743 |
+
selected_format = st.radio(
|
744 |
+
"Choose Audio Format:",
|
745 |
+
options=["MP3", "WAV"],
|
746 |
+
index=0
|
747 |
+
)
|
748 |
+
|
749 |
+
# ▶ Update session state if changed
|
750 |
+
if selected_voice != st.session_state['tts_voice']:
|
751 |
+
st.session_state['tts_voice'] = selected_voice
|
752 |
+
st.experimental_rerun()
|
753 |
+
if selected_format.lower() != st.session_state['audio_format']:
|
754 |
+
st.session_state['audio_format'] = selected_format.lower()
|
755 |
+
st.experimental_rerun()
|
756 |
+
|
757 |
+
# ▶ Text Input
|
758 |
+
user_text = st.text_area("💬 Message:", height=100)
|
759 |
+
user_text = user_text.strip().replace('\n', ' ')
|
760 |
+
|
761 |
+
# ▶ Send Button
|
762 |
+
if st.button("📨 Send"):
|
763 |
+
# Run our process_voice_input as an async function
|
764 |
+
asyncio.run(process_voice_input(user_text))
|
765 |
+
|
766 |
+
# ▶ Chat History
|
767 |
+
st.subheader("📜 Chat History")
|
768 |
+
for c in st.session_state.chat_history:
|
769 |
+
st.write("**You:**", c["user"])
|
770 |
+
st.write("**Response:**", c["claude"])
|
771 |
|
772 |
# ─────────────────────────────────────────────��───────────
|
773 |
+
# FILE HISTORY SIDEBAR
|
774 |
# ─────────────────────────────────────────────────────────
|
775 |
|
776 |
def display_file_history_in_sidebar():
|
777 |
"""
|
778 |
+
📂 Shows a history of local .md, .mp3, .wav files (newest first),
|
779 |
+
with quick icons and optional download links.
|
780 |
"""
|
781 |
st.sidebar.markdown("---")
|
782 |
st.sidebar.markdown("### 📂 File History")
|
783 |
|
784 |
+
# ▶ Gather all files
|
785 |
md_files = glob.glob("*.md")
|
786 |
mp3_files = glob.glob("*.mp3")
|
787 |
wav_files = glob.glob("*.wav")
|
|
|
791 |
st.sidebar.write("No files found.")
|
792 |
return
|
793 |
|
794 |
+
# ▶ Sort newest first
|
795 |
all_files = sorted(all_files, key=os.path.getmtime, reverse=True)
|
796 |
|
797 |
for f in all_files:
|
|
|
808 |
if len(snippet) == 200:
|
809 |
snippet += "..."
|
810 |
st.write(snippet)
|
811 |
+
dl_link = create_download_link_with_cache(f, file_type="md")
|
812 |
+
st.markdown(dl_link, unsafe_allow_html=True)
|
813 |
elif ext in ["mp3","wav"]:
|
814 |
st.audio(f)
|
815 |
+
dl_link = create_download_link_with_cache(f, file_type=ext)
|
816 |
+
st.markdown(dl_link, unsafe_allow_html=True)
|
817 |
else:
|
818 |
+
dl_link = create_download_link_with_cache(f)
|
819 |
+
st.markdown(dl_link, unsafe_allow_html=True)
|
820 |
|
821 |
# ─────────────────────────────────────────────────────────
|
822 |
+
# MAIN APP
|
823 |
# ─────────────────────────────────────────────────────────
|
824 |
|
825 |
def main():
|
826 |
+
# ▶ 1) Setup marquee UI in the sidebar
|
827 |
update_marquee_settings_ui()
|
828 |
marquee_settings = get_marquee_settings()
|
829 |
|
830 |
+
# ▶ 2) Display the marquee welcome
|
831 |
+
display_marquee(
|
832 |
+
st.session_state['marquee_content'],
|
833 |
+
{**marquee_settings, "font-size": "28px", "lineHeight": "50px"},
|
834 |
+
key_suffix="welcome"
|
835 |
+
)
|
836 |
|
837 |
+
# ▶ 3) Main action tabs
|
838 |
tab_main = st.radio("Action:", ["🎤 Voice", "📸 Media", "🔍 ArXiv", "📝 Editor"],
|
839 |
horizontal=True)
|
840 |
|
841 |
+
# ▶ 4) Show or hide custom component (optional example)
|
842 |
mycomponent = components.declare_component("mycomponent", path="mycomponent")
|
843 |
+
val = mycomponent(my_input_value="Hello from MyComponent")
|
844 |
|
845 |
if val:
|
846 |
val_stripped = val.replace('\\n', ' ')
|
847 |
edited_input = st.text_area("✏️ Edit Input:", value=val_stripped, height=100)
|
848 |
+
run_option = st.selectbox("Model:", ["Arxiv", "Other (demo)"])
|
849 |
col1, col2 = st.columns(2)
|
850 |
with col1:
|
851 |
autorun = st.checkbox("⚙ AutoRun", value=True)
|
|
|
871 |
extended_refs=False,
|
872 |
titles_summary=True,
|
873 |
full_audio=full_audio)
|
874 |
+
|
875 |
# ─────────────────────────────────────────────────────────
|
876 |
# TAB: ArXiv
|
877 |
# ─────────────────────────────────────────────────────────
|
|
|
888 |
|
889 |
if q and st.button("🔍Run"):
|
890 |
st.session_state.last_query = q
|
891 |
+
result = perform_ai_lookup(q,
|
892 |
+
vocal_summary=vocal_summary,
|
893 |
+
extended_refs=extended_refs,
|
894 |
+
titles_summary=titles_summary,
|
895 |
+
full_audio=full_audio)
|
896 |
if full_transcript:
|
897 |
create_file(q, result, "md")
|
898 |
|
|
|
900 |
# TAB: Voice
|
901 |
# ─────────────────────────────────────────────────────────
|
902 |
elif tab_main == "🎤 Voice":
|
903 |
+
display_voice_tab()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
904 |
|
905 |
# ─────────────────────────────────────────────────────────
|
906 |
# TAB: Media
|
907 |
# ─────────────────────────────────────────────────────────
|
908 |
elif tab_main == "📸 Media":
|
909 |
st.header("📸 Media Gallery")
|
|
|
|
|
910 |
tabs = st.tabs(["🎵 Audio", "🖼 Images", "🎥 Video"])
|
911 |
|
912 |
+
# ▶ AUDIO sub-tab
|
913 |
with tabs[0]:
|
914 |
st.subheader("🎵 Audio Files")
|
915 |
audio_files = glob.glob("*.mp3") + glob.glob("*.wav")
|
|
|
918 |
with st.expander(os.path.basename(a)):
|
919 |
st.audio(a)
|
920 |
ext = os.path.splitext(a)[1].replace('.', '')
|
921 |
+
dl_link = create_download_link_with_cache(a, file_type=ext)
|
922 |
st.markdown(dl_link, unsafe_allow_html=True)
|
923 |
else:
|
924 |
st.write("No audio files found.")
|
925 |
|
926 |
+
# ▶ IMAGES sub-tab
|
927 |
with tabs[1]:
|
928 |
st.subheader("🖼 Image Files")
|
929 |
imgs = glob.glob("*.png") + glob.glob("*.jpg") + glob.glob("*.jpeg")
|
|
|
936 |
else:
|
937 |
st.write("No images found.")
|
938 |
|
939 |
+
# ▶ VIDEO sub-tab
|
940 |
with tabs[2]:
|
941 |
st.subheader("🎥 Video Files")
|
942 |
vids = glob.glob("*.mp4") + glob.glob("*.mov") + glob.glob("*.avi")
|
|
|
951 |
# TAB: Editor
|
952 |
# ─────────────────────────────────────────────────────────
|
953 |
elif tab_main == "📝 Editor":
|
954 |
+
st.write("### 📝 File Editor (Minimal Demo)")
|
955 |
+
st.write("Select or create a file to edit. More advanced features can be added as needed.")
|
956 |
|
957 |
# ─────────────────────────────────────────────────────────
|
958 |
+
# SIDEBAR: FILE HISTORY + PERFORMANCE METRICS
|
959 |
# ─────────────────────────────────────────────────────────
|
960 |
display_file_history_in_sidebar()
|
961 |
+
log_performance_metrics()
|
962 |
|
963 |
+
# ▶ Some light CSS styling
|
964 |
st.markdown("""
|
965 |
<style>
|
966 |
.main { background: linear-gradient(to right, #1a1a1a, #2d2d2d); color: #fff; }
|
|
|
969 |
</style>
|
970 |
""", unsafe_allow_html=True)
|
971 |
|
972 |
+
# ▶ Rerun if needed
|
973 |
if st.session_state.should_rerun:
|
974 |
st.session_state.should_rerun = False
|
975 |
+
st.experimental_rerun()
|
976 |
+
|
977 |
+
# ────────────────────────────────────────────���────────────
|
978 |
+
# 8. RUN APP
|
979 |
+
# ─────────────────────────────────────────────────────────
|
980 |
|
981 |
if __name__ == "__main__":
|
982 |
main()
|