Spaces:
Sleeping
Sleeping
Update app.py
Browse files
app.py
CHANGED
@@ -1,4 +1,4 @@
|
|
1 |
-
# app.py (Merged Version)
|
2 |
import streamlit as st
|
3 |
import asyncio
|
4 |
import websockets
|
@@ -8,47 +8,52 @@ import os
|
|
8 |
import random
|
9 |
import time
|
10 |
import hashlib
|
11 |
-
# from PIL import Image
|
12 |
import glob
|
13 |
import base64
|
14 |
import io
|
15 |
import streamlit.components.v1 as components
|
16 |
import edge_tts
|
17 |
-
# from audio_recorder_streamlit import audio_recorder
|
18 |
import nest_asyncio
|
19 |
import re
|
20 |
import pytz
|
21 |
import shutil
|
22 |
-
# import anthropic
|
23 |
-
# import openai
|
24 |
from PyPDF2 import PdfReader
|
25 |
import threading
|
26 |
import json
|
27 |
import zipfile
|
28 |
-
# from gradio_client import Client
|
29 |
from dotenv import load_dotenv
|
30 |
from streamlit_marquee import streamlit_marquee
|
31 |
from collections import defaultdict, Counter
|
32 |
import pandas as pd
|
33 |
-
from streamlit_js_eval import streamlit_js_eval
|
|
|
34 |
|
35 |
# 🛠️ Patch asyncio for nesting
|
36 |
nest_asyncio.apply()
|
37 |
|
38 |
-
# 🎨 Page Config
|
39 |
st.set_page_config(
|
40 |
page_title="🤖🏗️ Shared World Builder 🏆",
|
41 |
page_icon="🏗️",
|
42 |
layout="wide",
|
43 |
-
initial_sidebar_state="expanded"
|
44 |
)
|
45 |
|
46 |
-
# --- Constants
|
47 |
-
#
|
48 |
-
icons = '
|
49 |
Site_Name = '🤖🏗️ Shared World Builder 🗣️'
|
50 |
START_ROOM = "World Lobby 🌍"
|
51 |
-
|
|
|
|
|
|
|
|
|
52 |
"BuilderBot 🤖": "en-US-AriaNeural", "WorldWeaver 🕸️": "en-US-JennyNeural",
|
53 |
"Terraformer 🌱": "en-GB-SoniaNeural", "SkyArchitect ☁️": "en-AU-NatashaNeural",
|
54 |
"PixelPainter 🎨": "en-CA-ClaraNeural", "VoxelVortex 🌪️": "en-US-GuyNeural",
|
@@ -56,781 +61,94 @@ FUN_USERNAMES = { # Simplified for clarity, can expand later
|
|
56 |
"BlockBard 🧱": "en-CA-LiamNeural", "SoundSculptor 🔊": "en-US-AnaNeural",
|
57 |
}
|
58 |
EDGE_TTS_VOICES = list(set(FUN_USERNAMES.values()))
|
59 |
-
FILE_EMOJIS = {"md": "📝", "mp3": "🎵", "png": "🖼️", "mp4": "🎥", "zip": "📦", "csv":"📄"}
|
60 |
-
|
61 |
-
# 3D World Constants
|
62 |
-
SAVE_DIR = "saved_worlds"
|
63 |
-
PLOT_WIDTH = 50.0
|
64 |
-
PLOT_DEPTH = 50.0
|
65 |
-
CSV_COLUMNS = ['obj_id', 'type', 'pos_x', 'pos_y', 'pos_z', 'rot_x', 'rot_y', 'rot_z', 'rot_order']
|
66 |
-
WORLD_STATE_FILE = "world_state.json" # Using JSON for simpler in-memory<->disk state
|
67 |
-
|
68 |
-
# --- Directories (Combined) ---
|
69 |
-
for d in ["chat_logs", "audio_logs", "audio_cache", SAVE_DIR]: # Added SAVE_DIR
|
70 |
-
os.makedirs(d, exist_ok=True)
|
71 |
-
|
72 |
CHAT_DIR = "chat_logs"
|
73 |
-
|
|
|
74 |
AUDIO_CACHE_DIR = "audio_cache"
|
75 |
AUDIO_DIR = "audio_logs"
|
76 |
-
STATE_FILE = "user_state.txt" # For remembering username
|
77 |
-
|
78 |
-
CHAT_FILE = os.path.join(CHAT_DIR, "global_chat.md")
|
79 |
-
# Removed vote files for simplicity
|
80 |
-
|
81 |
-
# --- API Keys (Keep placeholder logic) ---
|
82 |
-
load_dotenv()
|
83 |
-
# anthropic_key = os.getenv('ANTHROPIC_API_KEY', st.secrets.get('ANTHROPIC_API_KEY', ""))
|
84 |
-
# openai_api_key = os.getenv('OPENAI_API_KEY', st.secrets.get('OPENAI_API_KEY', ""))
|
85 |
-
# openai_client = openai.OpenAI(api_key=openai_api_key)
|
86 |
-
|
87 |
-
# --- Helper Functions (Combined & Adapted) ---
|
88 |
-
|
89 |
-
def format_timestamp_prefix(username=""):
|
90 |
-
# Using UTC for consistency in logs/filenames across timezones potentially
|
91 |
-
now = datetime.now(pytz.utc)
|
92 |
-
# Simplified format
|
93 |
-
return f"{now.strftime('%Y%m%d_%H%M%S')}_{username}"
|
94 |
-
|
95 |
-
# --- Performance Timer (Optional, Keep if desired) ---
|
96 |
-
class PerformanceTimer:
|
97 |
-
# ... (keep class as is from new app.py if needed) ...
|
98 |
-
pass
|
99 |
-
|
100 |
-
# --- 3D World State Management (Adapted from original + WebSocket focus) ---
|
101 |
|
102 |
-
#
|
103 |
-
#
|
104 |
-
|
105 |
-
|
106 |
-
#
|
107 |
-
# A lock would be needed for production robustness.
|
108 |
-
# world_objects_lock = threading.Lock() # Import threading if using lock
|
109 |
-
world_objects = defaultdict(dict) # Holds {obj_id: object_data}
|
110 |
|
111 |
-
|
112 |
-
|
113 |
-
global world_objects
|
114 |
-
loaded_count = 0
|
115 |
-
if os.path.exists(WORLD_STATE_FILE):
|
116 |
-
try:
|
117 |
-
with open(WORLD_STATE_FILE, 'r') as f:
|
118 |
-
data = json.load(f)
|
119 |
-
# Ensure keys are strings if they got saved as ints somehow
|
120 |
-
world_objects = defaultdict(dict, {str(k): v for k, v in data.items()})
|
121 |
-
loaded_count = len(world_objects)
|
122 |
-
print(f"Loaded {loaded_count} objects from {WORLD_STATE_FILE}")
|
123 |
-
except json.JSONDecodeError:
|
124 |
-
print(f"Error reading {WORLD_STATE_FILE}. Falling back to CSVs.")
|
125 |
-
world_objects = defaultdict(dict) # Reset before loading from CSV
|
126 |
-
except Exception as e:
|
127 |
-
print(f"Error loading from {WORLD_STATE_FILE}: {e}. Falling back to CSVs.")
|
128 |
-
world_objects = defaultdict(dict) # Reset
|
129 |
-
|
130 |
-
# Fallback or initial load from CSVs if JSON fails or doesn't exist
|
131 |
-
if not world_objects:
|
132 |
-
print("Loading world state from CSV files...")
|
133 |
-
# Use the cached CSV loading logic, but populate the global dict
|
134 |
-
loaded_from_csv = get_all_world_objects_from_csv() # Gets list
|
135 |
-
for obj in loaded_from_csv:
|
136 |
-
world_objects[obj['obj_id']] = obj
|
137 |
-
loaded_count = len(world_objects)
|
138 |
-
print(f"Loaded {loaded_count} objects from CSVs.")
|
139 |
-
# Save immediately to JSON for next time
|
140 |
-
save_world_state_to_disk()
|
141 |
-
|
142 |
-
return loaded_count
|
143 |
-
|
144 |
-
def save_world_state_to_disk():
|
145 |
-
"""Saves the current in-memory world state to a JSON file."""
|
146 |
-
global world_objects
|
147 |
-
print(f"Saving {len(world_objects)} objects to {WORLD_STATE_FILE}...")
|
148 |
-
try:
|
149 |
-
# with world_objects_lock: # Use lock if implementing thread safety
|
150 |
-
with open(WORLD_STATE_FILE, 'w') as f:
|
151 |
-
# Convert defaultdict back to regular dict for saving
|
152 |
-
json.dump(dict(world_objects), f, indent=2)
|
153 |
-
print("World state saved successfully.")
|
154 |
-
return True
|
155 |
-
except Exception as e:
|
156 |
-
print(f"Error saving world state to {WORLD_STATE_FILE}: {e}")
|
157 |
-
st.error(f"Failed to save world state: {e}")
|
158 |
-
return False
|
159 |
-
|
160 |
-
# --- Functions to load from CSVs (kept for initial load/fallback) ---
|
161 |
-
@st.cache_data(ttl=3600)
|
162 |
-
def load_plot_metadata():
|
163 |
-
"""Scans save dir for plot_X*_Z*.csv, sorts, calculates metadata."""
|
164 |
-
# ... (Keep function as is from original app.py) ...
|
165 |
-
print(f"[{time.time():.2f}] Loading plot metadata...")
|
166 |
-
plot_files = []
|
167 |
-
try:
|
168 |
-
plot_files = [f for f in os.listdir(SAVE_DIR) if f.endswith(".csv") and f.startswith("plot_X")]
|
169 |
-
except FileNotFoundError: return []
|
170 |
-
except Exception as e: return []
|
171 |
-
|
172 |
-
parsed_plots = []
|
173 |
-
for filename in plot_files:
|
174 |
-
try:
|
175 |
-
file_path = os.path.join(SAVE_DIR, filename)
|
176 |
-
# Basic check for empty file before parsing name
|
177 |
-
if not os.path.exists(file_path) or os.path.getsize(file_path) <= 2: continue
|
178 |
-
|
179 |
-
parts = filename[:-4].split('_')
|
180 |
-
grid_x = int(parts[1][1:])
|
181 |
-
grid_z = int(parts[2][1:])
|
182 |
-
plot_name = " ".join(parts[3:]) if len(parts) > 3 else f"Plot ({grid_x},{grid_z})"
|
183 |
-
parsed_plots.append({
|
184 |
-
'id': filename[:-4], 'filename': filename,
|
185 |
-
'grid_x': grid_x, 'grid_z': grid_z, 'name': plot_name,
|
186 |
-
'x_offset': grid_x * PLOT_WIDTH, 'z_offset': grid_z * PLOT_DEPTH
|
187 |
-
})
|
188 |
-
except Exception as e:
|
189 |
-
st.warning(f"Error parsing metadata from filename '{filename}': {e}. Skipping.")
|
190 |
-
continue
|
191 |
-
parsed_plots.sort(key=lambda p: (p['grid_x'], p['grid_z']))
|
192 |
-
return parsed_plots
|
193 |
-
|
194 |
-
def load_single_plot_objects_relative(filename):
|
195 |
-
"""Loads objects from a specific CSV file, keeping coordinates relative."""
|
196 |
-
# ... (Keep function as is from previous merged version, including validation) ...
|
197 |
-
file_path = os.path.join(SAVE_DIR, filename)
|
198 |
-
try:
|
199 |
-
if not os.path.exists(file_path) or os.path.getsize(file_path) == 0: return []
|
200 |
-
df = pd.read_csv(file_path)
|
201 |
-
if df.empty: return []
|
202 |
-
if 'obj_id' not in df.columns: df['obj_id'] = [str(uuid.uuid4()) for _ in range(len(df))]
|
203 |
-
else: df['obj_id'] = df['obj_id'].fillna(pd.Series([str(uuid.uuid4()) for _ in range(len(df))])).astype(str)
|
204 |
-
for col in ['type', 'pos_x', 'pos_y', 'pos_z']:
|
205 |
-
if col not in df.columns: return []
|
206 |
-
for col, default in [('rot_x', 0.0), ('rot_y', 0.0), ('rot_z', 0.0), ('rot_order', 'XYZ')]:
|
207 |
-
if col not in df.columns: df[col] = default
|
208 |
-
df.fillna({'rot_x': 0.0, 'rot_y': 0.0, 'rot_z': 0.0, 'rot_order': 'XYZ'}, inplace=True)
|
209 |
-
for col in ['pos_x', 'pos_y', 'pos_z', 'rot_x', 'rot_y', 'rot_z']:
|
210 |
-
df[col] = pd.to_numeric(df[col], errors='coerce')
|
211 |
-
df.dropna(subset=['pos_x', 'pos_y', 'pos_z'], inplace=True)
|
212 |
-
df['type'] = df['type'].astype(str)
|
213 |
-
return df[CSV_COLUMNS].to_dict('records')
|
214 |
-
except Exception as e: return []
|
215 |
|
216 |
|
217 |
-
|
218 |
-
|
219 |
-
|
220 |
-
# ... (Keep function as is from previous merged version) ...
|
221 |
-
print(f"[{time.time():.2f}] Reloading ALL world objects from CSV files...")
|
222 |
-
all_objects = {}
|
223 |
-
plots_meta = load_plot_metadata()
|
224 |
-
for plot in plots_meta:
|
225 |
-
relative_objects = load_single_plot_objects_relative(plot['filename'])
|
226 |
-
for obj in relative_objects:
|
227 |
-
obj_id = obj.get('obj_id')
|
228 |
-
if not obj_id: continue
|
229 |
-
world_obj = {
|
230 |
-
'obj_id': obj_id, 'type': obj.get('type', 'Unknown'),
|
231 |
-
'position': {'x': obj.get('pos_x', 0.0) + plot['x_offset'], 'y': obj.get('pos_y', 0.0), 'z': obj.get('pos_z', 0.0) + plot['z_offset']},
|
232 |
-
'rotation': {'_x': obj.get('rot_x', 0.0), '_y': obj.get('rot_y', 0.0), '_z': obj.get('rot_z', 0.0), '_order': obj.get('rot_order', 'XYZ')}
|
233 |
-
}
|
234 |
-
all_objects[obj_id] = world_obj
|
235 |
-
return list(all_objects.values())
|
236 |
-
|
237 |
-
# --- Session State Init (Combined & Expanded) ---
|
238 |
-
def init_session_state():
|
239 |
-
defaults = {
|
240 |
-
# From Chat App
|
241 |
-
'server_running': False, 'server_task': None, 'active_connections': defaultdict(dict), # Use defaultdict
|
242 |
-
'last_chat_update': 0, 'message_text': "", 'audio_cache': {},
|
243 |
-
'tts_voice': "en-US-AriaNeural", 'chat_history': [], 'marquee_settings': {
|
244 |
-
"background": "#1E1E1E", "color": "#FFFFFF", "font-size": "14px",
|
245 |
-
"animationDuration": "20s", "width": "100%", "lineHeight": "35px"
|
246 |
-
},
|
247 |
-
'enable_audio': True, 'download_link_cache': {}, 'username': None,
|
248 |
-
'autosend': True, 'last_message': "", 'timer_start': time.time(),
|
249 |
-
'last_sent_transcript': "", 'last_refresh': time.time(),
|
250 |
-
'auto_refresh': False, # Default auto-refresh off for world builder?
|
251 |
-
'refresh_rate': 30, # Default refresh rate
|
252 |
-
|
253 |
-
# From 3D World App (or adapted)
|
254 |
-
'selected_object': 'None', # Current building tool
|
255 |
-
# 'world_objects': defaultdict(dict), # In-memory state now global 'world_objects'
|
256 |
-
'initial_world_state_loaded': False, # Flag to load state only once
|
257 |
-
|
258 |
-
# Keep others if needed, removed some for clarity
|
259 |
-
'operation_timings': {}, 'performance_metrics': defaultdict(list),
|
260 |
-
}
|
261 |
-
for k, v in defaults.items():
|
262 |
-
if k not in st.session_state:
|
263 |
-
st.session_state[k] = v
|
264 |
-
# Ensure nested dicts are present
|
265 |
-
if 'marquee_settings' not in st.session_state: st.session_state.marquee_settings = defaults['marquee_settings']
|
266 |
-
if 'active_connections' not in st.session_state: st.session_state.active_connections = defaultdict(dict)
|
267 |
-
|
268 |
-
# --- Marquee Helpers (Keep from New App) ---
|
269 |
-
def update_marquee_settings_ui(): # ... (keep function as is) ...
|
270 |
-
pass # Placeholder if not immediately needed
|
271 |
-
def display_marquee(text, settings, key_suffix=""): # ... (keep function as is) ...
|
272 |
-
pass # Placeholder
|
273 |
-
|
274 |
-
# --- Text & File Helpers (Keep & Adapt from New App) ---
|
275 |
-
def clean_text_for_tts(text): # ... (keep function as is) ...
|
276 |
-
return re.sub(r'[#*!\[\]]+', '', ' '.join(text.split()))[:200] or "No text"
|
277 |
-
|
278 |
-
def generate_filename(prompt, username, file_type="md", title=None): # ... (keep function as is) ...
|
279 |
-
timestamp = format_timestamp_prefix(username)
|
280 |
-
# Simplified filename generation
|
281 |
-
base = clean_text_for_filename(title if title else prompt[:30])
|
282 |
-
hash_val = hashlib.md5(prompt.encode()).hexdigest()[:6]
|
283 |
-
return f"{timestamp}_{base}_{hash_val}.{file_type}"
|
284 |
-
|
285 |
-
def clean_text_for_filename(text): # ... (keep function as is) ...
|
286 |
-
return '_'.join(re.sub(r'[^\w\s-]', '', text.lower()).split())[:50]
|
287 |
-
|
288 |
-
def create_file(content, username, file_type="md", title=None): # ... (keep function as is) ...
|
289 |
-
filename = generate_filename(content, username, file_type, title)
|
290 |
-
# Ensure saving to correct directory based on type? Assume current dir for now
|
291 |
-
save_path = filename # os.path.join(MEDIA_DIR, filename)?
|
292 |
-
try:
|
293 |
-
with open(save_path, 'w', encoding='utf-8') as f:
|
294 |
-
f.write(content)
|
295 |
-
return save_path
|
296 |
-
except Exception as e:
|
297 |
-
print(f"Error creating file {save_path}: {e}")
|
298 |
-
return None
|
299 |
-
|
300 |
-
def get_download_link(file, file_type="mp3"): # ... (keep function as is, ensure FILE_EMOJIS updated) ...
|
301 |
-
cache_key = f"dl_{file}_{os.path.getmtime(file) if os.path.exists(file) else 0}"
|
302 |
-
if cache_key not in st.session_state['download_link_cache']:
|
303 |
-
if not os.path.exists(file): return "File not found"
|
304 |
-
with open(file, "rb") as f: b64 = base64.b64encode(f.read()).decode()
|
305 |
-
mime_types = {"mp3": "audio/mpeg", "png": "image/png", "mp4": "video/mp4", "md": "text/markdown", "zip": "application/zip", "csv": "text/csv", "json": "application/json"}
|
306 |
-
st.session_state['download_link_cache'][cache_key] = f'<a href="data:{mime_types.get(file_type, "application/octet-stream")};base64,{b64}" download="{os.path.basename(file)}">{FILE_EMOJIS.get(file_type, "📄")} Download {os.path.basename(file)}</a>'
|
307 |
-
return st.session_state['download_link_cache'][cache_key]
|
308 |
-
|
309 |
-
def save_username(username): # ... (keep function as is) ...
|
310 |
-
try:
|
311 |
-
with open(STATE_FILE, 'w') as f: f.write(username)
|
312 |
-
except Exception as e: print(f"Failed to save username: {e}")
|
313 |
-
|
314 |
-
def load_username(): # ... (keep function as is) ...
|
315 |
-
if os.path.exists(STATE_FILE):
|
316 |
-
try:
|
317 |
-
with open(STATE_FILE, 'r') as f: return f.read().strip()
|
318 |
-
except Exception as e: print(f"Failed to load username: {e}")
|
319 |
-
return None
|
320 |
-
|
321 |
-
# --- Audio Processing (Keep from New App) ---
|
322 |
-
async def async_edge_tts_generate(text, voice, username): # Simplified args
|
323 |
-
# ... (keep core logic, maybe save to AUDIO_DIR) ...
|
324 |
-
cache_key = f"{text[:100]}_{voice}"
|
325 |
-
if cache_key in st.session_state['audio_cache']: return st.session_state['audio_cache'][cache_key]
|
326 |
-
text = clean_text_for_tts(text)
|
327 |
-
if not text or text == "No text": return None
|
328 |
-
filename_base = generate_filename(text, username, "mp3")
|
329 |
-
save_path = os.path.join(AUDIO_DIR, filename_base)
|
330 |
-
try:
|
331 |
-
communicate = edge_tts.Communicate(text, voice)
|
332 |
-
await communicate.save(save_path)
|
333 |
-
if os.path.exists(save_path) and os.path.getsize(save_path) > 0:
|
334 |
-
st.session_state['audio_cache'][cache_key] = save_path
|
335 |
-
return save_path
|
336 |
-
else: return None
|
337 |
-
except Exception as e: return None
|
338 |
-
|
339 |
-
def play_and_download_audio(file_path): # ... (keep function as is) ...
|
340 |
-
if file_path and os.path.exists(file_path):
|
341 |
-
st.audio(file_path)
|
342 |
-
file_type = file_path.split('.')[-1]
|
343 |
-
st.markdown(get_download_link(file_path, file_type), unsafe_allow_html=True)
|
344 |
-
|
345 |
-
# --- Chat Saving/Loading (Keep & Adapt from New App) ---
|
346 |
-
async def save_chat_entry(username, message, voice, is_markdown=False):
|
347 |
-
# ... (keep core logic, save to CHAT_DIR) ...
|
348 |
-
if not message.strip(): return None, None
|
349 |
-
central = pytz.timezone('US/Central') # Or use UTC
|
350 |
-
timestamp = datetime.now(central).strftime("%Y-%m-%d %H:%M:%S")
|
351 |
-
entry = f"[{timestamp}] {username} ({voice}): {message}" if not is_markdown else f"[{timestamp}] {username} ({voice}):\n```markdown\n{message}\n```"
|
352 |
-
md_filename_base = generate_filename(message, username, "md")
|
353 |
-
md_file = create_file(entry, username, "md", os.path.join(CHAT_DIR, md_filename_base)) # Save to chat_logs
|
354 |
-
# Simplified - don't write to global CHAT_FILE on every message, maybe periodically?
|
355 |
-
# Append to session state history for immediate display
|
356 |
-
st.session_state.chat_history.append(entry)
|
357 |
-
# Generate audio
|
358 |
-
audio_file = None
|
359 |
-
if st.session_state.get('enable_audio', True): # Check if enabled
|
360 |
-
audio_file = await async_edge_tts_generate(message, voice, username)
|
361 |
-
return md_file, audio_file
|
362 |
-
|
363 |
-
async def load_chat_history():
|
364 |
-
# Load from individual files in CHAT_DIR for resilience? Or just session state?
|
365 |
-
# For now, rely on session state + initial load from files if needed.
|
366 |
-
if not st.session_state.chat_history:
|
367 |
-
chat_files = sorted(glob.glob(os.path.join(CHAT_DIR, "*.md")), key=os.path.getmtime)
|
368 |
-
for f in chat_files:
|
369 |
-
try:
|
370 |
-
with open(f, 'r', encoding='utf-8') as file:
|
371 |
-
st.session_state.chat_history.append(file.read().strip())
|
372 |
-
except Exception: pass # Ignore read errors
|
373 |
-
return st.session_state.chat_history
|
374 |
-
|
375 |
-
|
376 |
-
# --- WebSocket Handling (Adapted for 3D State) ---
|
377 |
-
# Global set to track connected client IDs for efficient broadcast checks
|
378 |
-
connected_clients = set()
|
379 |
-
|
380 |
-
async def websocket_handler(websocket, path):
|
381 |
-
client_id = str(websocket.id) # Use websocket's built-in ID
|
382 |
-
connected_clients.add(client_id)
|
383 |
-
username = st.session_state.get('username', f"User_{client_id[:4]}")
|
384 |
-
print(f"Client connected: {client_id} ({username})")
|
385 |
-
|
386 |
-
# Send initial world state to the new client
|
387 |
-
try:
|
388 |
-
# with world_objects_lock: # Lock if using threads
|
389 |
-
initial_state_msg = json.dumps({
|
390 |
-
"type": "initial_state",
|
391 |
-
"payload": dict(world_objects) # Send current world state
|
392 |
-
})
|
393 |
-
await websocket.send(initial_state_msg)
|
394 |
-
print(f"Sent initial state ({len(world_objects)} objects) to {client_id}")
|
395 |
-
|
396 |
-
# Announce join (optional)
|
397 |
-
await broadcast_message(json.dumps({
|
398 |
-
"type": "user_join",
|
399 |
-
"payload": {"username": username, "id": client_id}
|
400 |
-
}), exclude_id=client_id) # Don't send to self
|
401 |
-
|
402 |
-
except Exception as e:
|
403 |
-
print(f"Error sending initial state to {client_id}: {e}")
|
404 |
-
|
405 |
-
# Main message loop
|
406 |
-
try:
|
407 |
-
async for message in websocket:
|
408 |
-
try:
|
409 |
-
data = json.loads(message)
|
410 |
-
msg_type = data.get("type")
|
411 |
-
payload = data.get("payload")
|
412 |
-
sender_username = payload.get("username", username) # Get username from payload or default
|
413 |
-
|
414 |
-
if msg_type == "chat_message":
|
415 |
-
print(f"Received chat from {sender_username}: {payload.get('message')}")
|
416 |
-
voice = FUN_USERNAMES.get(sender_username, "en-US-AriaNeural")
|
417 |
-
# Save chat locally (optional async call)
|
418 |
-
asyncio.create_task(save_chat_entry(sender_username, payload.get('message', ''), voice))
|
419 |
-
# Broadcast chat to others
|
420 |
-
await broadcast_message(message, exclude_id=client_id)
|
421 |
-
|
422 |
-
elif msg_type == "place_object":
|
423 |
-
obj_data = payload.get("object_data")
|
424 |
-
if obj_data and 'obj_id' in obj_data:
|
425 |
-
print(f"Received place_object from {sender_username}: {obj_data.get('type')} ({obj_data['obj_id']})")
|
426 |
-
# with world_objects_lock: # Lock if needed
|
427 |
-
world_objects[obj_data['obj_id']] = obj_data # Add/update in memory
|
428 |
-
# Broadcast placement to others
|
429 |
-
broadcast_payload = json.dumps({
|
430 |
-
"type": "object_placed",
|
431 |
-
"payload": {"object_data": obj_data, "username": sender_username}
|
432 |
-
})
|
433 |
-
await broadcast_message(broadcast_payload, exclude_id=client_id)
|
434 |
-
# Maybe trigger periodic save here? Or rely on manual save.
|
435 |
-
else:
|
436 |
-
print(f"Invalid place_object payload from {client_id}")
|
437 |
-
|
438 |
-
elif msg_type == "delete_object":
|
439 |
-
obj_id = payload.get("obj_id")
|
440 |
-
if obj_id:
|
441 |
-
print(f"Received delete_object from {sender_username}: {obj_id}")
|
442 |
-
# with world_objects_lock: # Lock if needed
|
443 |
-
if obj_id in world_objects:
|
444 |
-
del world_objects[obj_id]
|
445 |
-
# Broadcast deletion
|
446 |
-
broadcast_payload = json.dumps({
|
447 |
-
"type": "object_deleted",
|
448 |
-
"payload": {"obj_id": obj_id, "username": sender_username}
|
449 |
-
})
|
450 |
-
await broadcast_message(broadcast_payload, exclude_id=client_id)
|
451 |
-
|
452 |
-
# Add handlers for other types (player_move, request_save, etc.)
|
453 |
-
|
454 |
-
except json.JSONDecodeError:
|
455 |
-
print(f"Received invalid JSON from {client_id}: {message}")
|
456 |
-
except Exception as e:
|
457 |
-
print(f"Error processing message from {client_id}: {e}")
|
458 |
-
|
459 |
-
except websockets.ConnectionClosedOK:
|
460 |
-
print(f"Client disconnected normally: {client_id} ({username})")
|
461 |
-
except websockets.ConnectionClosedError as e:
|
462 |
-
print(f"Client connection closed with error: {client_id} ({username}) - {e}")
|
463 |
-
finally:
|
464 |
-
connected_clients.discard(client_id)
|
465 |
-
# Announce leave (optional)
|
466 |
-
await broadcast_message(json.dumps({
|
467 |
-
"type": "user_leave",
|
468 |
-
"payload": {"username": username, "id": client_id}
|
469 |
-
}))
|
470 |
-
print(f"Client disconnected: {client_id} ({username}). Remaining: {len(connected_clients)}")
|
471 |
-
|
472 |
-
|
473 |
-
# Modified broadcast to use the global set and skip sender
|
474 |
-
async def broadcast_message(message, exclude_id=None):
|
475 |
-
tasks = []
|
476 |
-
disconnected_clients_this_call = set()
|
477 |
-
|
478 |
-
# Iterate over a copy of the client set in case it changes during iteration
|
479 |
-
current_client_ids = list(connected_clients)
|
480 |
-
|
481 |
-
for client_id in current_client_ids:
|
482 |
-
if client_id == exclude_id:
|
483 |
-
continue
|
484 |
-
|
485 |
-
websocket = st.session_state.active_connections.get(client_id) # Get WS object
|
486 |
-
if websocket:
|
487 |
-
try:
|
488 |
-
# Create task for sending; allows concurrent sends
|
489 |
-
tasks.append(asyncio.create_task(websocket.send(message)))
|
490 |
-
except websockets.ConnectionClosed:
|
491 |
-
print(f"Found disconnected client during broadcast prep: {client_id}")
|
492 |
-
disconnected_clients_this_call.add(client_id)
|
493 |
-
except RuntimeError as e: # Handles 'Event loop is closed' during shutdown
|
494 |
-
print(f"RuntimeError during broadcast prep for {client_id}: {e}")
|
495 |
-
disconnected_clients_this_call.add(client_id)
|
496 |
-
except Exception as e:
|
497 |
-
print(f"Unexpected error during broadcast prep for {client_id}: {e}")
|
498 |
-
disconnected_clients_this_call.add(client_id)
|
499 |
-
else:
|
500 |
-
# Websocket object not found in session state, likely already disconnected
|
501 |
-
disconnected_clients_this_call.add(client_id)
|
502 |
-
|
503 |
-
# Wait for all send tasks to complete
|
504 |
-
if tasks:
|
505 |
-
await asyncio.gather(*tasks, return_exceptions=True) # Handle exceptions during send
|
506 |
-
|
507 |
-
# Clean up disconnected clients found during this specific broadcast attempt
|
508 |
-
if disconnected_clients_this_call:
|
509 |
-
print(f"Cleaning up {len(disconnected_clients_this_call)} disconnected clients after broadcast.")
|
510 |
-
for client_id in disconnected_clients_this_call:
|
511 |
-
connected_clients.discard(client_id)
|
512 |
-
st.session_state.active_connections.pop(client_id, None)
|
513 |
-
|
514 |
-
|
515 |
-
async def run_websocket_server():
|
516 |
-
# Check if already running - basic flag protection
|
517 |
-
if st.session_state.get('server_running_flag', False):
|
518 |
-
print("Server already seems to be running or starting.")
|
519 |
-
return
|
520 |
-
st.session_state['server_running_flag'] = True
|
521 |
-
print("Starting WebSocket server on 0.0.0.0:8765...")
|
522 |
-
try:
|
523 |
-
# Use localhost for testing, 0.0.0.0 for broader access (requires firewall config)
|
524 |
-
server = await websockets.serve(websocket_handler, 'localhost', 8765)
|
525 |
-
print("WebSocket server started successfully.")
|
526 |
-
st.session_state['server_instance'] = server # Store server instance if needed for graceful shutdown
|
527 |
-
await server.wait_closed() # Keep server running
|
528 |
-
except OSError as e:
|
529 |
-
print(f"### FAILED TO START WEBSOCKET SERVER: {e}")
|
530 |
-
st.error(f"Failed to start WebSocket server on port 8765: {e}. Port might be in use.")
|
531 |
-
# Try to connect as client if server fails? Or just stop.
|
532 |
-
except Exception as e:
|
533 |
-
print(f"### UNEXPECTED ERROR IN WEBSOCKET SERVER: {e}")
|
534 |
-
st.error(f"An unexpected error occurred: {e}")
|
535 |
-
finally:
|
536 |
-
print("WebSocket server task finished.")
|
537 |
-
st.session_state['server_running_flag'] = False
|
538 |
-
st.session_state['server_instance'] = None
|
539 |
-
|
540 |
-
|
541 |
-
def start_websocket_server_thread():
|
542 |
-
"""Starts the WebSocket server in a separate thread."""
|
543 |
-
# Check if thread already running
|
544 |
-
if st.session_state.get('server_task') and st.session_state.server_task.is_alive():
|
545 |
-
print("Server thread already running.")
|
546 |
-
return
|
547 |
-
print("Creating and starting new server thread.")
|
548 |
-
loop = asyncio.new_event_loop()
|
549 |
-
asyncio.set_event_loop(loop)
|
550 |
-
st.session_state.server_task = threading.Thread(target=loop.run_until_complete, args=(run_websocket_server(),), daemon=True)
|
551 |
-
st.session_state.server_task.start()
|
552 |
-
|
553 |
-
# --- PDF to Audio (Keep if desired, maybe in a separate tab?) ---
|
554 |
-
class AudioProcessor: # ... (keep class as is) ...
|
555 |
-
def __init__(self): self.cache_dir=AUDIO_CACHE_DIR; os.makedirs(self.cache_dir,exist_ok=True); self.metadata=json.load(open(f"{self.cache_dir}/metadata.json")) if os.path.exists(f"{self.cache_dir}/metadata.json") else {}
|
556 |
-
def _save_metadata(self): #... (save logic) ...
|
557 |
-
with open(f"{self.cache_dir}/metadata.json", 'w') as f: json.dump(self.metadata, f)
|
558 |
-
async def create_audio(self, text, voice='en-US-AriaNeural'): # ... (audio creation logic) ...
|
559 |
-
cache_key=hashlib.md5(f"{text}:{voice}".encode()).hexdigest(); cache_path=f"{self.cache_dir}/{cache_key}.mp3"
|
560 |
-
if cache_key in self.metadata and os.path.exists(cache_path): return cache_path
|
561 |
-
text=clean_text_for_tts(text); communicate=edge_tts.Communicate(text,voice); await communicate.save(cache_path)
|
562 |
-
self.metadata[cache_key]={'timestamp': datetime.now().isoformat(), 'text_length': len(text), 'voice': voice}; self._save_metadata()
|
563 |
-
return cache_path
|
564 |
-
|
565 |
-
def process_pdf(pdf_file, max_pages, voice, audio_processor): # ... (keep function as is) ...
|
566 |
-
reader=PdfReader(pdf_file); total_pages=min(len(reader.pages),max_pages); texts,audios={}, {}
|
567 |
-
async def process_page(i,text): audio_path=await audio_processor.create_audio(text,voice); audios[i]=audio_path
|
568 |
-
for i in range(total_pages): text=reader.pages[i].extract_text(); texts[i]=text; threading.Thread(target=lambda: asyncio.run(process_page(i,text))).start()
|
569 |
-
return texts,audios,total_pages
|
570 |
|
571 |
-
# ---
|
572 |
-
|
573 |
-
# def generate_5min_feature_markdown(...): pass
|
574 |
-
# async def create_paper_audio_files(...): pass
|
575 |
-
# async def perform_ai_lookup(...): pass
|
576 |
-
# async def perform_claude_search(...): pass
|
577 |
-
# async def perform_arxiv_search(...): pass
|
578 |
|
579 |
-
# ---
|
580 |
-
|
581 |
-
|
|
|
582 |
|
583 |
-
# ---
|
584 |
-
async def save_pasted_image(image, username): # Simplified
|
585 |
-
img_hash = hashlib.md5(image.tobytes()).hexdigest()[:8]
|
586 |
-
# Add check against existing hashes if needed: if img_hash in st.session_state.image_hashes: return None
|
587 |
-
timestamp = format_timestamp_prefix(username)
|
588 |
-
filename = f"{timestamp}_pasted_{img_hash}.png"
|
589 |
-
filepath = os.path.join(MEDIA_DIR, filename) # Save in base dir
|
590 |
-
try: image.save(filepath, "PNG"); return filepath
|
591 |
-
except Exception as e: print(f"Failed image save: {e}"); return None
|
592 |
|
593 |
-
|
594 |
-
|
595 |
-
if not files: return None
|
596 |
-
timestamp = format_timestamp_prefix() # Generic timestamp
|
597 |
-
zip_name = f"{prefix}_{timestamp}.zip"
|
598 |
try:
|
599 |
-
|
600 |
-
|
601 |
-
|
602 |
-
|
603 |
-
|
604 |
-
|
605 |
-
|
606 |
-
|
607 |
-
|
608 |
-
|
609 |
-
|
610 |
-
|
611 |
-
|
612 |
-
|
613 |
-
|
614 |
-
|
615 |
-
|
616 |
-
|
617 |
-
|
618 |
-
|
619 |
-
|
620 |
-
|
621 |
-
|
622 |
-
|
623 |
-
|
624 |
-
|
625 |
-
submit_button = st.form_submit_button("Paste Image 📋")
|
626 |
-
if submit_button and paste_input and paste_input.startswith('data:image'):
|
627 |
-
try:
|
628 |
-
mime_type = paste_input.split(';')[0].split(':')[1]; base64_str = paste_input.split(',')[1]
|
629 |
-
img_bytes = base64.b64decode(base64_str); img = Image.open(io.BytesIO(img_bytes))
|
630 |
-
st.image(img, caption=f"Pasted Image ({mime_type.split('/')[1].upper()})", width=150) # Smaller preview
|
631 |
-
return img, mime_type.split('/')[1]
|
632 |
-
except Exception as e: st.error(f"Image decode error: {e}")
|
633 |
-
return None, None
|
634 |
-
|
635 |
-
|
636 |
-
# --- Mapping Emojis to Primitive Types ---
|
637 |
-
# Ensure these types match the create[PrimitiveName] functions in index.html
|
638 |
-
PRIMITIVE_MAP = {
|
639 |
-
"🌳": "Tree", "🗿": "Rock", "🏛️": "Simple House", "🌲": "Pine Tree", "🧱": "Brick Wall",
|
640 |
-
"🔵": "Sphere", "📦": "Cube", " cylinder ": "Cylinder", "🍦": "Cone", "🍩": "Torus",
|
641 |
-
"🍄": "Mushroom", "🌵": "Cactus", "🔥": "Campfire", "⭐": "Star", "💎": "Gem",
|
642 |
-
"🗼": "Tower", "🚧": "Barrier", "⛲": "Fountain", "🏮": "Lantern", "푯": "Sign Post"
|
643 |
-
# Add more pairs up to ~20
|
644 |
-
}
|
645 |
-
|
646 |
-
# --- Main Streamlit Interface ---
|
647 |
-
def main_interface():
|
648 |
-
init_session_state()
|
649 |
-
|
650 |
-
# --- Load initial world state ONCE per session ---
|
651 |
-
if not st.session_state.initial_world_state_loaded:
|
652 |
-
load_world_state_from_disk()
|
653 |
-
st.session_state.initial_world_state_loaded = True
|
654 |
-
|
655 |
-
# --- Username Setup ---
|
656 |
-
saved_username = load_username()
|
657 |
-
if saved_username and saved_username in FUN_USERNAMES:
|
658 |
-
st.session_state.username = saved_username
|
659 |
-
if not st.session_state.username:
|
660 |
-
st.session_state.username = random.choice(list(FUN_USERNAMES.keys()))
|
661 |
-
st.session_state.tts_voice = FUN_USERNAMES[st.session_state.username]
|
662 |
-
save_username(st.session_state.username)
|
663 |
-
# Don't automatically announce join here, let WebSocket handler do it on connect
|
664 |
-
|
665 |
-
st.title(f"{Site_Name} - User: {st.session_state.username}")
|
666 |
-
|
667 |
-
# --- Main Content Area ---
|
668 |
-
tab_world, tab_chat, tab_files = st.tabs(["🏗️ World Builder", "🗣️ Chat", "📂 Files & Settings"])
|
669 |
-
|
670 |
-
with tab_world:
|
671 |
-
st.header("Shared 3D World")
|
672 |
-
st.caption("Place objects using the sidebar tools. Changes are shared live!")
|
673 |
-
|
674 |
-
# --- Embed HTML Component for Three.js ---
|
675 |
-
html_file_path = 'index.html'
|
676 |
try:
|
677 |
-
|
678 |
-
|
679 |
-
|
680 |
-
|
681 |
-
|
682 |
-
|
683 |
-
|
684 |
-
|
685 |
-
|
686 |
-
|
687 |
-
|
688 |
-
|
689 |
-
|
690 |
-
|
691 |
-
|
692 |
-
|
693 |
-
|
694 |
-
|
695 |
-
|
696 |
-
|
697 |
-
|
698 |
-
|
699 |
-
|
700 |
-
|
701 |
-
|
702 |
-
|
703 |
-
|
704 |
-
|
705 |
-
|
706 |
-
|
707 |
-
|
708 |
-
|
709 |
-
with tab_chat:
|
710 |
-
st.header(f"{START_ROOM} Chat")
|
711 |
-
chat_history = asyncio.run(load_chat_history()) # Load history
|
712 |
-
chat_container = st.container(height=500) # Scrollable chat area
|
713 |
-
with chat_container:
|
714 |
-
# Display chat history (most recent at bottom)
|
715 |
-
for entry in reversed(chat_history[-50:]): # Show last 50 messages
|
716 |
-
st.markdown(entry) # Use markdown to render potential code blocks
|
717 |
-
|
718 |
-
# Chat Input Area
|
719 |
-
message = st.text_input("Your Message:", key="message_input", label_visibility="collapsed")
|
720 |
-
if st.button("Send Chat 💬", key="send_chat_button") or (st.session_state.autosend and message):
|
721 |
-
if message.strip() and message != st.session_state.last_message:
|
722 |
-
st.session_state.last_message = message
|
723 |
-
voice = FUN_USERNAMES.get(st.session_state.username, "en-US-AriaNeural")
|
724 |
-
# Send via WebSocket
|
725 |
-
ws_message = json.dumps({
|
726 |
-
"type": "chat_message",
|
727 |
-
"payload": {"username": st.session_state.username, "message": message, "voice": voice}
|
728 |
-
})
|
729 |
-
# Run broadcast in asyncio task to avoid blocking Streamlit
|
730 |
-
asyncio.run(broadcast_message(ws_message))
|
731 |
-
# Save locally (optional now, as broadcast handles real-time)
|
732 |
-
asyncio.run(save_chat_entry(st.session_state.username, message, voice))
|
733 |
-
# Clear input - needs rerun or JS callback
|
734 |
-
st.session_state.message_input = ""
|
735 |
-
st.rerun() # Force rerun to clear input and update display
|
736 |
-
|
737 |
-
with tab_files:
|
738 |
-
st.header("File Management & Settings")
|
739 |
-
# Add options from the new app's sidebar here if desired
|
740 |
-
# e.g., Zipping, Deleting, Marquee settings
|
741 |
-
|
742 |
-
st.subheader("Server & World State")
|
743 |
-
col_ws, col_save = st.columns(2)
|
744 |
-
with col_ws:
|
745 |
-
ws_status = "Running" if st.session_state.get('server_running_flag', False) else "Stopped"
|
746 |
-
st.metric("WebSocket Server", ws_status)
|
747 |
-
st.metric("Connected Clients", len(connected_clients))
|
748 |
-
with col_save:
|
749 |
-
if st.button("💾 Save World State to Disk", key="save_world_disk"):
|
750 |
-
if save_world_state_to_disk():
|
751 |
-
st.success("World state saved!")
|
752 |
-
else:
|
753 |
-
st.error("Failed to save world state.")
|
754 |
-
|
755 |
-
# Add file deletion buttons if needed
|
756 |
-
st.subheader("Delete Files")
|
757 |
-
col_del1, col_del2, col_del3 = st.columns(3)
|
758 |
-
with col_del1:
|
759 |
-
if st.button("🗑️ Delete Chats (.md)", key="del_chat_md"):
|
760 |
-
delete_files([os.path.join(CHAT_DIR, "*.md")])
|
761 |
-
st.session_state.chat_history = [] # Clear session history too
|
762 |
-
st.rerun()
|
763 |
-
with col_del2:
|
764 |
-
if st.button("🗑️ Delete Audio (.mp3)", key="del_audio_mp3"):
|
765 |
-
delete_files([os.path.join(AUDIO_DIR, "*.mp3"), os.path.join(AUDIO_CACHE_DIR, "*.mp3")])
|
766 |
-
st.session_state.audio_cache = {}
|
767 |
-
st.rerun()
|
768 |
-
# Add more deletion options as needed
|
769 |
-
|
770 |
-
|
771 |
-
# --- Sidebar Controls ---
|
772 |
-
with st.sidebar:
|
773 |
-
st.header("🏗️ Build Tools")
|
774 |
-
st.caption("Select an object to place.")
|
775 |
-
|
776 |
-
# --- Emoji Buttons for Primitives ---
|
777 |
-
cols = st.columns(5) # Adjust grid width as needed
|
778 |
-
col_idx = 0
|
779 |
-
for emoji, name in PRIMITIVE_MAP.items():
|
780 |
-
# Use button click to set selected_object
|
781 |
-
button_key = f"primitive_{name}"
|
782 |
-
# Highlight selected button? Could use custom CSS or just rely on state.
|
783 |
-
button_type = "primary" if st.session_state.selected_object == name else "secondary"
|
784 |
-
if cols[col_idx % 5].button(emoji, key=button_key, help=name, type=button_type):
|
785 |
-
st.session_state.selected_object = name
|
786 |
-
# Update JS selection without full rerun if possible
|
787 |
-
try:
|
788 |
-
js_update_selection = f"updateSelectedObjectType({json.dumps(name)});"
|
789 |
-
streamlit_js_eval(js_code=js_update_selection, key="update_tool_js")
|
790 |
-
except Exception as e:
|
791 |
-
print(f"Could not push tool update to JS: {e}")
|
792 |
-
# Force a rerun to update button styles immediately
|
793 |
-
st.rerun()
|
794 |
-
col_idx += 1
|
795 |
-
|
796 |
-
# Button to clear selection
|
797 |
-
if st.button("🚫 Clear Tool", key="clear_tool"):
|
798 |
-
if st.session_state.selected_object != 'None':
|
799 |
-
st.session_state.selected_object = 'None'
|
800 |
-
try: # Update JS too
|
801 |
-
streamlit_js_eval(js_code=f"updateSelectedObjectType('None');", key="update_tool_js_none")
|
802 |
-
except Exception: pass
|
803 |
-
st.rerun() # Rerun to update UI
|
804 |
-
|
805 |
-
st.markdown("---")
|
806 |
-
st.header("🗣️ Voice & User")
|
807 |
-
# Username/Voice Selection
|
808 |
-
new_username = st.selectbox("Change Name/Voice", list(FUN_USERNAMES.keys()), index=list(FUN_USERNAMES.keys()).index(st.session_state.username), key="username_select")
|
809 |
-
if new_username != st.session_state.username:
|
810 |
-
# Announce name change via WebSocket?
|
811 |
-
change_msg = json.dumps({
|
812 |
-
"type":"user_rename",
|
813 |
-
"payload": {"old_username": st.session_state.username, "new_username": new_username}
|
814 |
-
})
|
815 |
-
asyncio.run(broadcast_message(change_msg))
|
816 |
-
st.session_state.username = new_username
|
817 |
-
st.session_state.tts_voice = FUN_USERNAMES[new_username]
|
818 |
-
save_username(st.session_state.username)
|
819 |
-
st.rerun()
|
820 |
-
|
821 |
-
# Enable/Disable Audio Toggle
|
822 |
-
st.session_state['enable_audio'] = st.toggle("Enable TTS Audio", value=st.session_state.get('enable_audio', True))
|
823 |
-
|
824 |
-
st.markdown("---")
|
825 |
-
st.info("Status and file management in 'Files & Settings' tab.")
|
826 |
-
|
827 |
-
|
828 |
-
# --- Main Execution ---
|
829 |
-
if __name__ == "__main__":
|
830 |
-
init_session_state()
|
831 |
-
# Start WebSocket server in a thread IF it's not already running
|
832 |
-
if not st.session_state.get('server_task') or not st.session_state.server_task.is_alive():
|
833 |
-
start_websocket_server_thread()
|
834 |
-
time.sleep(1) # Give server a moment to start
|
835 |
-
|
836 |
-
main_interface()
|
|
|
1 |
+
# app.py (Merged Version - World Versioning)
|
2 |
import streamlit as st
|
3 |
import asyncio
|
4 |
import websockets
|
|
|
8 |
import random
|
9 |
import time
|
10 |
import hashlib
|
11 |
+
# from PIL import Image
|
12 |
import glob
|
13 |
import base64
|
14 |
import io
|
15 |
import streamlit.components.v1 as components
|
16 |
import edge_tts
|
17 |
+
# from audio_recorder_streamlit import audio_recorder
|
18 |
import nest_asyncio
|
19 |
import re
|
20 |
import pytz
|
21 |
import shutil
|
22 |
+
# import anthropic
|
23 |
+
# import openai
|
24 |
from PyPDF2 import PdfReader
|
25 |
import threading
|
26 |
import json
|
27 |
import zipfile
|
28 |
+
# from gradio_client import Client
|
29 |
from dotenv import load_dotenv
|
30 |
from streamlit_marquee import streamlit_marquee
|
31 |
from collections import defaultdict, Counter
|
32 |
import pandas as pd
|
33 |
+
from streamlit_js_eval import streamlit_js_eval
|
34 |
+
from PIL import Image # Needed for paste_image_component
|
35 |
|
36 |
# 🛠️ Patch asyncio for nesting
|
37 |
nest_asyncio.apply()
|
38 |
|
39 |
+
# 🎨 Page Config
|
40 |
st.set_page_config(
|
41 |
page_title="🤖🏗️ Shared World Builder 🏆",
|
42 |
page_icon="🏗️",
|
43 |
layout="wide",
|
44 |
+
initial_sidebar_state="expanded"
|
45 |
)
|
46 |
|
47 |
+
# --- Constants ---
|
48 |
+
# General
|
49 |
+
icons = '🤖🏗️🗣️💾'
|
50 |
Site_Name = '🤖🏗️ Shared World Builder 🗣️'
|
51 |
START_ROOM = "World Lobby 🌍"
|
52 |
+
MEDIA_DIR = "." # Base directory for general files
|
53 |
+
STATE_FILE = "user_state.txt" # For remembering username
|
54 |
+
|
55 |
+
# User/Chat
|
56 |
+
FUN_USERNAMES = {
|
57 |
"BuilderBot 🤖": "en-US-AriaNeural", "WorldWeaver 🕸️": "en-US-JennyNeural",
|
58 |
"Terraformer 🌱": "en-GB-SoniaNeural", "SkyArchitect ☁️": "en-AU-NatashaNeural",
|
59 |
"PixelPainter 🎨": "en-CA-ClaraNeural", "VoxelVortex 🌪️": "en-US-GuyNeural",
|
|
|
61 |
"BlockBard 🧱": "en-CA-LiamNeural", "SoundSculptor 🔊": "en-US-AnaNeural",
|
62 |
}
|
63 |
EDGE_TTS_VOICES = list(set(FUN_USERNAMES.values()))
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
64 |
CHAT_DIR = "chat_logs"
|
65 |
+
|
66 |
+
# Audio
|
67 |
AUDIO_CACHE_DIR = "audio_cache"
|
68 |
AUDIO_DIR = "audio_logs"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
69 |
|
70 |
+
# World Builder
|
71 |
+
SAVED_WORLDS_DIR = "saved_worlds" # Directory for MD world files
|
72 |
+
PLOT_WIDTH = 50.0 # Needed for JS injection
|
73 |
+
PLOT_DEPTH = 50.0 # Needed for JS injection
|
74 |
+
# CSV_COLUMNS = [...] # No longer needed if not using CSVs
|
|
|
|
|
|
|
75 |
|
76 |
+
# File Emojis
|
77 |
+
FILE_EMOJIS = {"md": "📝", "mp3": "🎵", "png": "🖼️", "mp4": "🎥", "zip": "📦", "json": "📄"}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
78 |
|
79 |
|
80 |
+
# --- Directories ---
|
81 |
+
for d in [CHAT_DIR, AUDIO_DIR, AUDIO_CACHE_DIR, SAVED_WORLDS_DIR]:
|
82 |
+
os.makedirs(d, exist_ok=True)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
83 |
|
84 |
+
# --- API Keys (Placeholder) ---
|
85 |
+
load_dotenv()
|
|
|
|
|
|
|
|
|
|
|
86 |
|
87 |
+
# --- Global State & Lock ---
|
88 |
+
world_objects_lock = threading.Lock()
|
89 |
+
world_objects = defaultdict(dict) # In-memory world state {obj_id: data}
|
90 |
+
connected_clients = set() # Holds client_id strings
|
91 |
|
92 |
+
# --- Helper Functions ---
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
93 |
|
94 |
+
def get_current_time_str(tz='US/Central'):
|
95 |
+
"""Gets formatted timestamp string."""
|
|
|
|
|
|
|
96 |
try:
|
97 |
+
timezone = pytz.timezone(tz)
|
98 |
+
except pytz.UnknownTimeZoneError:
|
99 |
+
timezone = pytz.utc
|
100 |
+
return datetime.now(timezone).strftime('%Y%m%d_%H%M%S')
|
101 |
+
|
102 |
+
def clean_filename_part(text, max_len=30):
|
103 |
+
"""Cleans a string part for use in a filename."""
|
104 |
+
text = re.sub(r'\s+', '_', text) # Replace spaces
|
105 |
+
text = re.sub(r'[^\w\-.]', '', text) # Keep word chars, hyphen, period
|
106 |
+
return text[:max_len]
|
107 |
+
|
108 |
+
def generate_world_save_filename(name="World"):
|
109 |
+
"""Generates a filename for saving world state MD files."""
|
110 |
+
timestamp = get_current_time_str()
|
111 |
+
clean_name = clean_filename_part(name)
|
112 |
+
# Add short random hash to prevent collisions further
|
113 |
+
rand_hash = hashlib.md5(str(time.time()).encode()).hexdigest()[:6]
|
114 |
+
return f"🌍_{clean_name}_{timestamp}_{rand_hash}.md"
|
115 |
+
|
116 |
+
def parse_world_filename(filename):
|
117 |
+
"""Extracts info from filename if possible, otherwise returns defaults."""
|
118 |
+
basename = os.path.basename(filename)
|
119 |
+
parts = basename.split('_')
|
120 |
+
if len(parts) >= 4 and parts[0] == '🌍' and parts[-1].endswith('.md'):
|
121 |
+
name = " ".join(parts[1:-2]) # Join parts between emoji and date
|
122 |
+
timestamp_str = parts[-2]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
123 |
try:
|
124 |
+
# Attempt to parse timestamp for sorting/display
|
125 |
+
dt_obj = datetime.strptime(timestamp_str, '%Y%m%d_%H%M%S')
|
126 |
+
except ValueError:
|
127 |
+
dt_obj = None # Could not parse timestamp
|
128 |
+
return {"name": name, "timestamp": timestamp_str, "dt": dt_obj, "filename": filename}
|
129 |
+
else:
|
130 |
+
# Fallback for unknown format
|
131 |
+
return {"name": basename.replace('.md',''), "timestamp": "Unknown", "dt": None, "filename": filename}
|
132 |
+
|
133 |
+
# --- World State MD File Handling ---
|
134 |
+
|
135 |
+
def save_world_state_to_md(target_filename):
|
136 |
+
"""Saves the current in-memory world state to a specific MD file."""
|
137 |
+
global world_objects
|
138 |
+
save_path = os.path.join(SAVED_WORLDS_DIR, target_filename)
|
139 |
+
print(f"Saving {len(world_objects)} objects to MD file: {save_path}...")
|
140 |
+
|
141 |
+
# Prepare JSON data (acquire lock)
|
142 |
+
with world_objects_lock:
|
143 |
+
world_data_dict = dict(world_objects)
|
144 |
+
|
145 |
+
# Format Markdown content
|
146 |
+
parsed_info = parse_world_filename(target_filename)
|
147 |
+
timestamp = get_current_time_str() # Current time for header
|
148 |
+
md_content = f"""# World State: {parsed_info['name']}
|
149 |
+
* **Saved:** {timestamp}
|
150 |
+
* **Original Timestamp:** {parsed_info['timestamp']}
|
151 |
+
* **Objects:** {len(world_data_dict)}
|
152 |
+
|
153 |
+
```json
|
154 |
+
{json.dumps(world_data_dict, indent=2)}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|