Spaces:
Running
Running
File size: 14,246 Bytes
4a491eb d67ede3 4a491eb d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 4a491eb 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 4a491eb d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf 25818e0 d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf 4a491eb d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf 25818e0 2ecb5bf 25818e0 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf d67ede3 2ecb5bf |
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 265 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 291 292 293 294 295 296 297 298 299 300 301 302 303 |
import streamlit as st
import asyncio
import websockets
import uuid
from datetime import datetime
import os
import random
import hashlib
import glob
import base64
import edge_tts
import nest_asyncio
from gradio_client import Client
from streamlit_marquee import streamlit_marquee
# Patch asyncio for nesting
nest_asyncio.apply()
# Page Config
st.set_page_config(
layout="wide",
page_title="Rocky Mountain Quest ๐๏ธ๐ฎ",
page_icon="๐ฆ"
)
# Game Config
GAME_NAME = "Rocky Mountain Quest ๐๏ธ๐ฎ"
START_LOCATION = "Trailhead Camp โบ"
CHARACTERS = {
"Trailblazer Tim ๐": {"voice": "en-US-GuyNeural", "desc": "Fearless hiker seeking epic trails!"},
"Meme Queen Mia ๐": {"voice": "en-US-JennyNeural", "desc": "Spreads laughs with wild memes!"},
"Elk Whisperer Eve ๐ฆ": {"voice": "en-GB-SoniaNeural", "desc": "Talks to wildlife, loves nature!"},
"Tech Titan Tara ๐พ": {"voice": "en-AU-NatashaNeural", "desc": "Codes her way through the Rockies!"},
"Ski Guru Sam โท๏ธ": {"voice": "en-CA-ClaraNeural", "desc": "Shreds slopes, lives for snow!"},
"Cosmic Camper Cal ๐ ": {"voice": "en-US-AriaNeural", "desc": "Stargazes and tells epic tales!"},
"Rasta Ranger Rick ๐": {"voice": "en-GB-RyanNeural", "desc": "Chills with natureโs vibes!"},
"Boulder Bro Ben ๐ชจ": {"voice": "en-AU-WilliamNeural", "desc": "Climbs rocks, bro-style!"}
}
FILE_EMOJIS = {"md": "๐", "mp3": "๐ต"}
# Directories
for d in ["chat_logs", "audio_logs"]:
os.makedirs(d, exist_ok=True)
CHAT_DIR = "chat_logs"
AUDIO_DIR = "audio_logs"
STATE_FILE = "user_state.txt"
CHAT_FILE = os.path.join(CHAT_DIR, "quest_log.md")
# Session State Init
def init_session_state():
defaults = {
'server_running': False, 'server_task': None, 'active_connections': {},
'chat_history': [], 'audio_cache': {}, 'last_transcript': "",
'username': None, 'score': 0, 'treasures': 0, 'location': START_LOCATION,
'marquee_settings': {
"background": "#2E8B57", "color": "#FFFFFF", "font-size": "16px",
"animationDuration": "15s", "width": "100%", "lineHeight": "40px"
}
}
for k, v in defaults.items():
if k not in st.session_state:
st.session_state[k] = v
# Helpers
def format_timestamp(username=""):
now = datetime.now().strftime("%Y%m%d_%H%M%S")
return f"{now}-by-{username}"
def clean_text_for_tts(text):
return re.sub(r'[#*!\[\]]+', '', ' '.join(text.split()))[:200] or "No text"
def generate_filename(prompt, username, file_type="md"):
timestamp = format_timestamp(username)
hash_val = hashlib.md5(prompt.encode()).hexdigest()[:8]
return f"{timestamp}-{hash_val}.{file_type}"
def create_file(prompt, username, file_type="md"):
filename = generate_filename(prompt, username, file_type)
with open(filename, 'w', encoding='utf-8') as f:
f.write(prompt)
return filename
def get_download_link(file, file_type="mp3"):
with open(file, "rb") as f:
b64 = base64.b64encode(f.read()).decode()
mime_types = {"mp3": "audio/mpeg", "md": "text/markdown"}
return f'<a href="data:{mime_types.get(file_type, "application/octet-stream")};base64,{b64}" download="{os.path.basename(file)}">{FILE_EMOJIS.get(file_type, "๐ฅ")} {os.path.basename(file)}</a>'
def save_username(username):
with open(STATE_FILE, 'w') as f:
f.write(username)
def load_username():
if os.path.exists(STATE_FILE):
with open(STATE_FILE, 'r') as f:
return f.read().strip()
return None
# Audio Processing
async def async_edge_tts_generate(text, voice, username):
cache_key = f"{text[:100]}_{voice}"
if cache_key in st.session_state['audio_cache']:
return st.session_state['audio_cache'][cache_key]
text = clean_text_for_tts(text)
filename = f"{format_timestamp(username)}-{hashlib.md5(text.encode()).hexdigest()[:8]}.mp3"
communicate = edge_tts.Communicate(text, voice)
await communicate.save(filename)
if os.path.exists(filename) and os.path.getsize(filename) > 0:
st.session_state['audio_cache'][cache_key] = filename
return filename
return None
def play_and_download_audio(file_path):
if file_path and os.path.exists(file_path):
st.audio(file_path)
st.markdown(get_download_link(file_path), unsafe_allow_html=True)
# Chat and Quest Log
async def save_chat_entry(username, message, voice, is_markdown=False):
if not message.strip() or message == st.session_state.last_transcript:
return None, None
timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
entry = f"[{timestamp}] {username}: {message}" if not is_markdown else f"[{timestamp}] {username}:\n```markdown\n{message}\n```"
md_file = create_file(entry, username, "md")
with open(CHAT_FILE, 'a') as f:
f.write(f"{entry}\n")
audio_file = await async_edge_tts_generate(message, voice, username)
await broadcast_message(f"{username}|{message}", "quest")
st.session_state.chat_history.append(entry)
st.session_state.last_transcript = message
st.session_state.score += 10 # Points for participation
st.session_state.treasures += 1 # Audio treasure collected
return md_file, audio_file
async def load_chat():
if not os.path.exists(CHAT_FILE):
with open(CHAT_FILE, 'a') as f:
f.write(f"# {GAME_NAME} Log\n\nThe adventure begins at {START_LOCATION}! ๐๏ธ\n")
with open(CHAT_FILE, 'r') as f:
content = f.read().strip()
return content.split('\n')
# ArXiv Integration
async def perform_arxiv_search(query, username):
gradio_client = Client("awacke1/Arxiv-Paper-Search-And-QA-RAG-Pattern")
refs = gradio_client.predict(
query, 5, "Semantic Search", "mistralai/Mixtral-8x7B-Instruct-v0.1", api_name="/update_with_rag_md"
)[0]
result = f"๐ Ancient Rocky Knowledge:\n{refs}"
voice = CHARACTERS[username]["voice"]
md_file, audio_file = await save_chat_entry(username, result, voice, True)
return md_file, audio_file
# WebSocket for Multiplayer
async def websocket_handler(websocket, path):
client_id = str(uuid.uuid4())
room_id = "quest"
if room_id not in st.session_state.active_connections:
st.session_state.active_connections[room_id] = {}
st.session_state.active_connections[room_id][client_id] = websocket
username = st.session_state.get('username', random.choice(list(CHARACTERS.keys())))
await save_chat_entry(username, f"๐บ๏ธ Joins the quest at {START_LOCATION}!", CHARACTERS[username]["voice"])
try:
async for message in websocket:
if '|' in message:
username, content = message.split('|', 1)
voice = CHARACTERS.get(username, {"voice": "en-US-AriaNeural"})["voice"]
await save_chat_entry(username, content, voice)
await perform_arxiv_search(content, username) # ArXiv response for every chat
except websockets.ConnectionClosed:
await save_chat_entry(username, "๐ Leaves the quest!", CHARACTERS[username]["voice"])
finally:
if room_id in st.session_state.active_connections and client_id in st.session_state.active_connections[room_id]:
del st.session_state.active_connections[room_id][client_id]
async def broadcast_message(message, room_id):
if room_id in st.session_state.active_connections:
disconnected = []
for client_id, ws in st.session_state.active_connections[room_id].items():
try:
await ws.send(message)
except websockets.ConnectionClosed:
disconnected.append(client_id)
for client_id in disconnected:
if client_id in st.session_state.active_connections[room_id]:
del st.session_state.active_connections[room_id][client_id]
async def run_websocket_server():
if not st.session_state.get('server_running', False):
server = await websockets.serve(websocket_handler, '0.0.0.0', 8765)
st.session_state['server_running'] = True
await server.wait_closed()
def start_websocket_server():
loop = asyncio.new_event_loop()
asyncio.set_event_loop(loop)
loop.run_until_complete(run_websocket_server())
# Game Quest (Mad Libs)
def generate_quest_story(username, inputs):
locations = ["Peak Summit ๐๏ธ", "Elk Valley ๐ฒ", "Meme Cave ๐ณ๏ธ", "Tech Outpost ๐ป"]
st.session_state.location = random.choice(locations)
story = f"""
๐ **{username}โs Quest at {st.session_state.location}:**
๐บ๏ธ {username} discovers {inputs['quantity']} {inputs['plural_noun']}!
๐ Theyโre {inputs['adjective']} and {inputs['action']} everywhere.
๐ฏ With a {inputs['tool']}, {username} faces a {inputs['creature']}
โก that {inputs['event']}โshouting โ{inputs['shout']}!โ
๐ Victory earns {username} {st.session_state.treasures} audio treasures!
"""
return story.strip()
# Main Game Loop
def main():
init_session_state()
saved_username = load_username()
if saved_username and saved_username in CHARACTERS:
st.session_state.username = saved_username
if not st.session_state.username:
st.session_state.username = random.choice(list(CHARACTERS.keys()))
asyncio.run(save_chat_entry(st.session_state.username, "๐บ๏ธ Begins the Rocky Mountain Quest!", CHARACTERS[st.session_state.username]["voice"]))
save_username(st.session_state.username)
st.title(f"๐ฎ {GAME_NAME}")
st.subheader(f"๐ {st.session_state.username}โs Adventure - Score: {st.session_state.score} ๐")
chat_text = " ".join([line.split(": ")[-1] for line in asyncio.run(load_chat()) if ": " in line][-5:])
streamlit_marquee(content=f"๐๏ธ {st.session_state.location} | ๐๏ธ {st.session_state.username} | ๐ฌ {chat_text}",
**st.session_state['marquee_settings'], key="quest_marquee")
tab_main = st.radio("๐ฒ Quest Actions:", ["๐ฃ๏ธ Explore & Chat", "๐ต Treasure Vault", "๐บ๏ธ Quest Challenge"], horizontal=True)
if tab_main == "๐ฃ๏ธ Explore & Chat":
st.subheader(f"๐ฃ๏ธ Explore {st.session_state.location} ๐๏ธ")
chat_content = asyncio.run(load_chat())
st.text_area("๐ Quest Log", "\n".join(chat_content[-10:]), height=200, disabled=True)
message = st.text_input(f"๐จ๏ธ {st.session_state.username} says:", placeholder="Explore the wilds! ๐ฒ")
if st.button("๐ Send & Explore ๐ค"):
if message:
voice = CHARACTERS[st.session_state.username]["voice"]
md_file, audio_file = asyncio.run(save_chat_entry(st.session_state.username, message, voice))
if audio_file:
play_and_download_audio(audio_file)
st.success(f"๐ +10 points! New Score: {st.session_state.score}")
elif tab_main == "๐ต Treasure Vault":
st.subheader("๐ต Audio Treasure Vault ๐")
mp3_files = sorted(glob.glob("*.mp3"), key=os.path.getmtime, reverse=True)
if mp3_files:
st.write(f"๐
Treasures Collected: {st.session_state.treasures}")
for i, mp3 in enumerate(mp3_files[:10]):
with st.expander(f"๐ต Treasure #{i+1}: {os.path.basename(mp3)}"):
play_and_download_audio(mp3)
else:
st.write("๐ No treasures yetโexplore or complete quests to collect audio loot! ๐ค")
elif tab_main == "๐บ๏ธ Quest Challenge":
st.subheader("๐บ๏ธ Rocky Mountain Quest Challenge ๐")
st.write("Fill in the blanks to embark on a wild adventure!")
inputs = {}
col1, col2 = st.columns(2)
with col1:
inputs['quantity'] = st.text_input("๐ข How Many?", "3", key="quantity")
inputs['plural_noun'] = st.text_input("๐ Things?", "elk", key="plural_noun")
inputs['adjective'] = st.text_input("โจ Describe Them?", "wild", key="adjective")
inputs['action'] = st.text_input("๐ What They Do?", "running", key="action")
with col2:
inputs['tool'] = st.text_input("๐ ๏ธ Your Tool?", "map", key="tool")
inputs['creature'] = st.text_input("๐ฆ Encounter?", "bear", key="creature")
inputs['event'] = st.text_input("โก What Happens?", "roars", key="event")
inputs['shout'] = st.text_input("๐ฃ๏ธ Your Cry?", "Yeehaw!", key="shout")
if st.button("๐ Start Quest! ๐ค"):
story = generate_quest_story(st.session_state.username, inputs)
st.markdown(f"### ๐ {st.session_state.username}โs Quest Log")
st.write(story)
voice = CHARACTERS[st.session_state.username]["voice"]
md_file, audio_file = asyncio.run(save_chat_entry(st.session_state.username, story, voice, True))
if audio_file:
play_and_download_audio(audio_file)
st.session_state.score += 50 # Bonus for quest completion
st.success(f"๐ Quest Complete! +50 points! New Score: {st.session_state.score}")
# Sidebar: Game HUD
st.sidebar.subheader("๐ฎ Adventurerโs HUD")
new_username = st.sidebar.selectbox("๐งโโ๏ธ Choose Your Hero", list(CHARACTERS.keys()), index=list(CHARACTERS.keys()).index(st.session_state.username))
if new_username != st.session_state.username:
asyncio.run(save_chat_entry(st.session_state.username, f"๐ Transforms into {new_username}!", CHARACTERS[st.session_state.username]["voice"]))
st.session_state.username = new_username
save_username(st.session_state.username)
st.rerun()
st.sidebar.write(f"๐ {CHARACTERS[st.session_state.username]['desc']}")
st.sidebar.write(f"๐ Location: {st.session_state.location}")
st.sidebar.write(f"๐
Score: {st.session_state.score}")
st.sidebar.write(f"๐ต Treasures: {st.session_state.treasures}")
if not st.session_state.get('server_running', False):
st.session_state.server_task = threading.Thread(target=start_websocket_server, daemon=True)
st.session_state.server_task.start()
if __name__ == "__main__":
main() |