File size: 10,220 Bytes
2e6063c
b0cf278
88675e3
b0cf278
 
 
2e6063c
 
 
b0cf278
 
54e3aa1
88675e3
54e3aa1
2e6063c
e9907ed
 
 
 
 
 
88675e3
 
54e3aa1
 
 
b0cf278
 
 
 
 
 
 
 
 
2e6063c
b0cf278
 
 
 
2e6063c
 
 
 
 
 
 
 
88675e3
2e6063c
 
 
88675e3
b0cf278
 
 
 
 
 
2e6063c
 
e9907ed
88675e3
2e6063c
 
 
 
 
 
 
e9907ed
54e3aa1
 
b0cf278
 
 
 
e9907ed
 
 
54e3aa1
 
 
 
 
 
 
2e6063c
e9907ed
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
88675e3
 
 
 
 
 
b0cf278
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
e9907ed
b0cf278
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
88675e3
 
 
 
b0cf278
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
import streamlit as st
import os, glob, re, base64, asyncio, requests
from datetime import datetime
from collections import defaultdict
from urllib.parse import quote
from xml.etree import ElementTree as ET
import edge_tts
import streamlit.components.v1 as components

# -------------------- Configuration --------------------
# Exactly 11 user names and 11 voices (as an example)
USER_NAMES = [
    "Aria", "Guy", "Sonia", "Tony", "Jenny", "Davis", "Libby", "Clara", "Liam", "Natasha", "William"
]

ENGLISH_VOICES = [
    "en-US-AriaNeural", "en-US-GuyNeural", "en-GB-SoniaNeural", "en-GB-TonyNeural",
    "en-US-JennyNeural", "en-US-DavisNeural", "en-GB-LibbyNeural", "en-CA-ClaraNeural",
    "en-CA-LiamNeural", "en-AU-NatashaNeural", "en-AU-WilliamNeural"
]

USER_VOICES = dict(zip(USER_NAMES, ENGLISH_VOICES))

SAVED_INPUTS_DIR = "saved_inputs"
os.makedirs(SAVED_INPUTS_DIR, exist_ok=True)

# Session state
if 'user_name' not in st.session_state:
    st.session_state['user_name'] = USER_NAMES[0]

if 'old_val' not in st.session_state:
    st.session_state['old_val'] = None

if 'should_rerun' not in st.session_state:
    st.session_state['should_rerun'] = False

if 'viewing_prefix' not in st.session_state:
    st.session_state['viewing_prefix'] = None

# -------------------- Utility Functions --------------------
def clean_for_speech(text: str) -> str:
    text = text.replace("\n", " ")
    text = text.replace("</s>", " ")
    text = text.replace("#", "")
    text = re.sub(r"\(https?:\/\/[^\)]+\)", "", text)
    text = re.sub(r"\s+", " ", text).strip()
    return text

async def edge_tts_generate_audio(text, voice="en-US-AriaNeural"):
    text = clean_for_speech(text)
    if not text.strip():
        return None
    communicate = edge_tts.Communicate(text, voice)
    out_fn = f"speech_{datetime.now().strftime('%Y%m%d_%H%M%S')}.mp3"
    try:
        await communicate.save(out_fn)
    except edge_tts.exceptions.NoAudioReceived:
        st.error("No audio received from TTS service.")
        return None
    return out_fn

def speak_with_edge_tts(text, voice="en-US-AriaNeural"):
    return asyncio.run(edge_tts_generate_audio(text, voice))

def play_and_download_audio(file_path):
    if file_path and os.path.exists(file_path):
        st.audio(file_path)
        dl_link = f'<a href="data:audio/mpeg;base64,{base64.b64encode(open(file_path,"rb").read()).decode()}" download="{os.path.basename(file_path)}">Download {os.path.basename(file_path)}</a>'
        st.markdown(dl_link, unsafe_allow_html=True)

def save_input_as_md(user_name, text, prefix="input"):
    if not text.strip():
        return
    timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
    safe_text = re.sub(r'[^\w\s-]', '', text[:50]).strip().lower()
    safe_text = re.sub(r'[-\s]+', '-', safe_text)
    fn = f"{prefix}_{timestamp}_{safe_text}.md"
    full_path = os.path.join(SAVED_INPUTS_DIR, fn)
    with open(full_path, 'w', encoding='utf-8') as f:
        f.write(f"# User: {user_name}\n")
        f.write(f"**Timestamp:** {datetime.now().strftime('%Y-%m-%d %H:%M:%S')}\n\n")
        f.write(text)
    return full_path

def list_saved_inputs():
    files = sorted(glob.glob(os.path.join(SAVED_INPUTS_DIR, "*.md")))
    return files

def parse_md_file(fpath):
    user_line = ""
    ts_line = ""
    content_lines = []
    with open(fpath, 'r', encoding='utf-8') as f:
        lines = f.readlines()
    for line in lines:
        if line.startswith("# User:"):
            user_line = line.replace("# User:", "").strip()
        elif line.startswith("**Timestamp:**"):
            ts_line = line.replace("**Timestamp:**", "").strip()
        else:
            content_lines.append(line.strip())
    content = "\n".join(content_lines).strip()
    return user_line, ts_line, content

def arxiv_search(query, max_results=3):
    base_url = "http://export.arxiv.org/api/query"
    params = {
        'search_query': query.replace(' ', '+'),
        'start': 0,
        'max_results': max_results
    }
    response = requests.get(base_url, params=params, timeout=30)
    if response.status_code == 200:
        root = ET.fromstring(response.text)
        ns = {"a": "http://www.w3.org/2005/Atom"}
        entries = root.findall('a:entry', ns)
        results = []
        for entry in entries:
            title = entry.find('a:title', ns).text.strip()
            summary = entry.find('a:summary', ns).text.strip()
            summary_short = summary[:300] + "..."
            results.append((title, summary_short))
        return results
    return []

def summarize_arxiv_results(results):
    lines = []
    for i, (title, summary) in enumerate(results, 1):
        lines.append(f"Result {i}: {title}\n{summary}\n")
    return "\n\n".join(lines)

def concatenate_mp3(files, output_file):
    with open(output_file, 'wb') as outfile:
        for f in files:
            with open(f, 'rb') as infile:
                outfile.write(infile.read())

def load_groups():
    files = list_saved_inputs()
    groups = defaultdict(list)
    for fpath in files:
        fname = os.path.basename(fpath)
        prefix = fname[:10]
        groups[prefix].append(fpath)
    for prefix in groups:
        groups[prefix].sort(key=lambda x: os.path.getmtime(x), reverse=True)
    sorted_prefixes = sorted(groups.keys(),
                             key=lambda pre: max(os.path.getmtime(x) for x in groups[pre]),
                             reverse=True)
    return groups, sorted_prefixes

# -------------------- Main Application --------------------
st.title("πŸŽ™οΈ Voice Chat & ArXiv Search")

with st.sidebar:
    st.session_state['user_name'] = st.selectbox("Current User:", USER_NAMES, index=0)

    saved_files = list_saved_inputs()
    st.write("πŸ“ Saved Inputs:")
    for fpath in saved_files:
        user, ts, content = parse_md_file(fpath)
        fname = os.path.basename(fpath)
        st.write(f"- {fname} (User: {user})")

    if st.button("πŸ—‘οΈ Clear All History"):
        for fpath in saved_files:
            os.remove(fpath)
        st.session_state['viewing_prefix'] = None
        st.success("All history cleared!")
        st.experimental_rerun()

# Voice input component (replace path with your component)
mycomponent = components.declare_component("mycomponent", path="mycomponent")
voice_val = mycomponent(my_input_value="Start speaking...")

tabs = st.tabs(["🎀 Voice Chat", "πŸ” ArXiv Search", "πŸ’Ύ History", "βš™οΈ Settings"])

# ------------------ Voice Chat Tab -------------------------
with tabs[0]:
    st.subheader("🎀 Voice Chat")
    if voice_val:
        voice_text = voice_val.strip()
        edited_input = st.text_area("✏️ Edit Voice Input:", value=voice_text, height=100)
        autorun = st.checkbox("⚑ Auto-Run", value=True)
        input_changed = (voice_text != st.session_state.get('old_val'))

        if autorun and input_changed:
            st.session_state['old_val'] = voice_text
            # Save input right away
            saved_path = save_input_as_md(st.session_state['user_name'], edited_input, prefix="input")
            st.success("Saved input!")

        if st.button("πŸ“ Save Input Manually"):
            saved_path = save_input_as_md(st.session_state['user_name'], edited_input, prefix="input")
            st.success("Saved input!")

    st.write("Use the sidebar to select user and the voice input component above to record messages.")

# ------------------ ArXiv Search Tab -------------------------
with tabs[1]:
    st.subheader("πŸ” ArXiv Search")
    query = st.text_input("Enter Query:")
    if query and st.button("πŸ” Search ArXiv"):
        with st.spinner("Searching..."):
            results = arxiv_search(query)
            if results:
                summary = summarize_arxiv_results(results)
                # Save as response
                save_input_as_md(st.session_state['user_name'], summary, prefix="arxiv")
                st.write(summary)
                # Read aloud summary
                voice = USER_VOICES.get(st.session_state['user_name'], "en-US-AriaNeural")
                audio_file = speak_with_edge_tts(summary, voice=voice)
                if audio_file:
                    play_and_download_audio(audio_file)
            else:
                st.warning("No results found.")

# ------------------ History Tab -------------------------
with tabs[2]:
    st.subheader("πŸ’Ύ History")
    files = list_saved_inputs()
    conversation = []
    for fpath in files:
        user, ts, content = parse_md_file(fpath)
        conversation.append((user, ts, content, fpath))

    # Show conversation and read aloud each line
    for i, (user, ts, content, fpath) in enumerate(reversed(conversation), start=1):
        with st.expander(f"{ts} - {user}", expanded=False):
            st.write(content)
            if st.button(f"πŸ”Š Read Aloud {ts}-{user}", key=f"read_{i}_{fpath}"):
                voice = USER_VOICES.get(user, "en-US-AriaNeural")
                audio_file = speak_with_edge_tts(content, voice=voice)
                if audio_file:
                    play_and_download_audio(audio_file)

    # Read entire conversation
    if st.button("πŸ“œ Read Entire Conversation"):
        conversation_chrono = list(reversed(conversation))
        mp3_files = []
        for user, ts, content, fpath in conversation_chrono:
            voice = USER_VOICES.get(user, "en-US-AriaNeural")
            audio_file = speak_with_edge_tts(content, voice=voice)
            if audio_file:
                mp3_files.append(audio_file)
                st.write(f"**{user} ({ts}):**")
                play_and_download_audio(audio_file)

        if mp3_files:
            combined_file = f"full_conversation_{datetime.now().strftime('%Y%m%d_%H%M%S')}.mp3"
            concatenate_mp3(mp3_files, combined_file)
            st.write("**Full Conversation Audio:**")
            play_and_download_audio(combined_file)

# ------------------ Settings Tab -------------------------
with tabs[3]:
    st.subheader("βš™οΈ Settings")
    st.write("Adjust parameters in the sidebar. Currently, no other settings to configure.")

if st.session_state.should_rerun:
    st.session_state.should_rerun = False
    st.rerun()