from __future__ import annotations from . import __version__ as version from typing import Iterable, Tuple, Optional import streamlit as st import streamlit.components.v1 as components import matplotlib.pyplot as plt from matplotlib.backends.backend_agg import FigureCanvasAgg as FigureCanvas from matplotlib import colors as mcolors import tempfile import os from PIL import Image import numpy as np import time from datetime import datetime from .generator import generate_puzzle, sort_word_file from .logic import build_letter_map, reveal_cell, guess_word, is_game_over, compute_tier, auto_mark_completed_words, hidden_word_display from .models import Coord, GameState, Puzzle from .word_loader import get_wordlist_files, load_word_list, compute_word_difficulties from .version_info import versions_html # version info footer from .audio import ( _get_music_dir, get_audio_tracks, _load_audio_data_url, _mount_background_audio, _inject_audio_control_sync, play_sound_effect, ) from .game_storage import load_game_from_sid, save_game_to_hf, get_shareable_url, add_user_result_to_game st.set_page_config(initial_sidebar_state="collapsed") # PWA (Progressive Web App) Support # Enables installing BattleWords as a native-feeling mobile app # Note: PWA meta tags are injected into via Docker build (inject-pwa-head.sh) # This ensures proper PWA detection by browsers pwa_service_worker = """ """ CoordLike = Tuple[int, int] def fig_to_pil_rgba(fig): canvas = FigureCanvas(fig) canvas.draw() w, h = fig.canvas.get_width_height() img = np.frombuffer(canvas.buffer_rgba(), dtype=np.uint8).reshape(h, w, 4) return Image.fromarray(img, mode="RGBA") def _coord_to_xy(c) -> CoordLike: # Supports dataclass Coord(x, y) or a 2-tuple/list. if hasattr(c, "x") and hasattr(c, "y"): return int(c.x), int(c.y) if isinstance(c, (tuple, list)) and len(c) == 2: return int(c[0]), int(c[1]) raise TypeError(f"Unsupported Coord type: {type(c)!r}") def _normalize_revealed(revealed: Iterable) -> set[CoordLike]: return {(_coord_to_xy(c) if not (isinstance(c, tuple) and len(c) == 2 and isinstance(c[0], int)) else c) for c in revealed} def _build_letter_map(puzzle) -> dict[CoordLike, str]: letters: dict[CoordLike, str] = {} for w in getattr(puzzle, "words", []): text = getattr(w, "text", "") cells = getattr(w, "cells", []) for i, c in enumerate(cells): xy = _coord_to_xy(c) if 0 <= i < len(text): letters[xy] = text[i] return letters ocean_background_css = """ """ def inject_ocean_layers() -> None: st.markdown( """
""", unsafe_allow_html=True, ) def inject_styles() -> None: st.markdown( """ """, unsafe_allow_html=True, ) def _init_session() -> None: if "initialized" in st.session_state and st.session_state.initialized: return # --- Preserve music settings --- # Check if we're loading a shared game shared_settings = st.session_state.get("shared_game_settings") # Ensure a default selection exists before creating the puzzle files = get_wordlist_files() if "selected_wordlist" not in st.session_state and files: st.session_state.selected_wordlist = "classic.txt" if "game_mode" not in st.session_state: st.session_state.game_mode = "classic" # Generate puzzle with shared game settings if available if shared_settings: # Each user gets different random words from the same wordlist source wordlist_source = shared_settings.get("wordlist_source", "classic.txt") spacer = shared_settings["puzzle_options"].get("spacer", 1) may_overlap = shared_settings["puzzle_options"].get("may_overlap", False) game_mode = shared_settings.get("game_mode", "classic") # Override selected wordlist to match challenge st.session_state.selected_wordlist = wordlist_source # Generate puzzle with random words from the challenge's wordlist words = load_word_list(wordlist_source) puzzle = generate_puzzle( grid_size=12, words_by_len=words, spacer=spacer, may_overlap=may_overlap ) st.session_state.game_mode = game_mode st.session_state.spacer = spacer # Users will see leaderboard showing all players' results # Each player has their own uid and word_list in the users array else: # Normal game generation words = load_word_list(st.session_state.get("selected_wordlist")) puzzle = generate_puzzle(grid_size=12, words_by_len=words) st.session_state.puzzle = puzzle st.session_state.grid_size = 12 st.session_state.revealed = set() st.session_state.guessed = set() st.session_state.score = 0 st.session_state.last_action = "Welcome to Battlewords! Reveal a cell to begin." st.session_state.can_guess = False st.session_state.points_by_word = {} st.session_state.letter_map = build_letter_map(puzzle) st.session_state.initialized = True st.session_state.radar_gif_path = None st.session_state.start_time = datetime.now() # Set timer on first game st.session_state.end_time = None # Ensure game_mode is set if "game_mode" not in st.session_state: st.session_state.game_mode = "classic" # Initialize incorrect guesses tracking if "incorrect_guesses" not in st.session_state: st.session_state.incorrect_guesses = [] # Initialize show_incorrect_guesses to True by default if "show_incorrect_guesses" not in st.session_state: st.session_state.show_incorrect_guesses = True # NEW: Initialize Show Challenge Share Links (default OFF) if "show_challenge_share_links" not in st.session_state: st.session_state.show_challenge_share_links = False def _new_game() -> None: selected = st.session_state.get("selected_wordlist") mode = st.session_state.get("game_mode") show_grid_ticks = st.session_state.get("show_grid_ticks", False) spacer = st.session_state.get("spacer",1) show_incorrect_guesses = st.session_state.get("show_incorrect_guesses", False) # --- Preserve music and effects settings --- music_enabled = st.session_state.get("music_enabled", False) music_track_path = st.session_state.get("music_track_path") music_volume = st.session_state.get("music_volume",15) effects_volume = st.session_state.get("effects_volume",25) enable_sound_effects = st.session_state.get("enable_sound_effects", True) # NEW: Preserve Show Challenge Share Links show_challenge_share_links = st.session_state.get("show_challenge_share_links", False) st.session_state.clear() if selected: st.session_state.selected_wordlist = selected if mode: st.session_state.game_mode = mode st.session_state.show_grid_ticks = show_grid_ticks st.session_state.spacer = spacer st.session_state.show_incorrect_guesses = show_incorrect_guesses # --- Restore music/effects settings --- st.session_state.music_enabled = music_enabled if music_track_path: st.session_state.music_track_path = music_track_path st.session_state.music_volume = music_volume st.session_state.effects_volume = effects_volume st.session_state.enable_sound_effects = enable_sound_effects # NEW: Restore Show Challenge Share Links st.session_state.show_challenge_share_links = show_challenge_share_links st.session_state.radar_gif_path = None st.session_state.radar_gif_signature = None st.session_state.start_time = datetime.now() # Reset timer on new game st.session_state.end_time = None st.session_state.incorrect_guesses = [] # Clear incorrect guesses for new game _init_session() def _to_state() -> GameState: return GameState( grid_size=st.session_state.grid_size, puzzle=st.session_state.puzzle, revealed=st.session_state.revealed, guessed=st.session_state.guessed, score=st.session_state.score, last_action=st.session_state.last_action, can_guess=st.session_state.can_guess, game_mode=st.session_state.get("game_mode", "classic"), points_by_word=st.session_state.points_by_word, start_time=st.session_state.get("start_time"), end_time=st.session_state.get("end_time"), ) def _sync_back(state: GameState) -> None: st.session_state.revealed = state.revealed st.session_state.guessed = state.guessed st.session_state.score = state.score st.session_state.last_action = state.last_action st.session_state.can_guess = state.can_guess st.session_state.points_by_word = state.points_by_word def _render_header(): st.title(f"Battlewords v{version}") st.subheader("Reveal letters in cells, then guess the words!") # Only show Challenge Mode expander if in challenge mode and game_id is present params = st.query_params if hasattr(st, "query_params") else {} is_challenge_mode = "shared_game_settings" in st.session_state and "game_id" in params if is_challenge_mode: with st.expander("๐ŸŽฏ Challenge Mode (click to expand/collapse)", expanded=True): shared_settings = st.session_state.get("shared_game_settings") if shared_settings: users = shared_settings.get("users", []) if users: # Sort users by score (descending), then by time (ascending), then by difficulty (descending) def leaderboard_sort_key(u): # Use -score for descending, time for ascending, -difficulty for descending (default 0 if missing) diff = u.get("word_list_difficulty", 0) return (-u["score"], u["time"], -diff) sorted_users = sorted(users, key=leaderboard_sort_key) best_user = sorted_users[0] best_score = best_user["score"] best_time = best_user["time"] mins, secs = divmod(best_time, 60) best_time_str = f"{mins:02d}:{secs:02d}" # Build leaderboard HTML leaderboard_rows = [] for i, user in enumerate(sorted_users[:5], 1): # Top 5 u_mins, u_secs = divmod(user["time"], 60) u_time_str = f"{u_mins:02d}:{u_secs:02d}" medal = ["๐Ÿฅ‡", "๐Ÿฅˆ", "๐Ÿฅ‰"][i-1] if i <= 3 else f"{i}." # show optional difficulty if present diff_str = "" if "word_list_difficulty" in user: try: diff_str = f" โ€ข diff {float(user['word_list_difficulty']):.2f}" except Exception: diff_str = "" leaderboard_rows.append( f"
{medal} {user['username']}: {user['score']} pts in {u_time_str}{diff_str}
" ) leaderboard_html = "".join(leaderboard_rows) # Get the challenge SID from session state sid = st.session_state.get("loaded_game_sid") share_html = "" # NEW: Only render share link when setting enabled if sid and st.session_state.get("show_challenge_share_links", False): share_url = get_shareable_url(sid) share_html = f"
๐Ÿ”— Share this challenge
{share_url}" st.markdown( f"""
๐ŸŽฏ CHALLENGE MODE ๐ŸŽฏ
Beat the best: {best_score} points in {best_time_str} by {best_user['username']}
๐Ÿ† Leaderboard {leaderboard_html}
{share_html}
""", unsafe_allow_html=True ) else: st.markdown( """
๐ŸŽฏ CHALLENGE MODE ๐ŸŽฏ
Be the first to complete this challenge!
""", unsafe_allow_html=True ) inject_styles() def _render_sidebar(): with st.sidebar: st.header("SETTINGS") st.header("Game Mode") game_modes = ["classic", "too easy"] default_mode = "classic" if "game_mode" not in st.session_state: st.session_state.game_mode = default_mode current_mode = st.session_state.game_mode st.selectbox( "Select game mode", options=game_modes, index=game_modes.index(current_mode) if current_mode in game_modes else 0, key="game_mode", on_change=_on_game_option_change, # was _new_game ) st.header("Wordlist Controls") wordlist_files = get_wordlist_files() if wordlist_files: # Ensure current selection is valid if st.session_state.get("selected_wordlist") not in wordlist_files: st.session_state.selected_wordlist = wordlist_files[0] # Use filenames as options, show without extension current_index = wordlist_files.index(st.session_state.selected_wordlist) st.selectbox( "Select list", options=wordlist_files, index=current_index, format_func=lambda f: f.rsplit(".", 1)[0], key="selected_wordlist", on_change=_on_game_option_change, # was _new_game ) if st.button("Sort Wordlist", width=125, key="sort_wordlist_btn"): _sort_wordlist(st.session_state.selected_wordlist) else: st.info("No word lists found in words/ directory. Using built-in fallback.") # Add Show Grid ticks option if "show_grid_ticks" not in st.session_state: st.session_state.show_grid_ticks = False st.checkbox("Show Grid ticks", value=st.session_state.show_grid_ticks, key="show_grid_ticks") # Add Spacer option spacer_options = [0,1,2] if "spacer" not in st.session_state: st.session_state.spacer = 1 st.selectbox( "Spacer (space between words)", options=spacer_options, index=spacer_options.index(st.session_state.spacer), key="spacer", on_change=_on_game_option_change, # add callback ) # Add Show Incorrect Guesses option - now enabled by default if "show_incorrect_guesses" not in st.session_state: st.session_state.show_incorrect_guesses = True st.checkbox("Show incorrect guesses", value=st.session_state.show_incorrect_guesses, key="show_incorrect_guesses") # NEW: Add Show Challenge Share Links option - default OFF if "show_challenge_share_links" not in st.session_state: st.session_state.show_challenge_share_links = False st.checkbox("Show Challenge Share Links", value=st.session_state.show_challenge_share_links, key="show_challenge_share_links") # Audio settings st.header("Audio") tracks = get_audio_tracks() st.caption(f"{len(tracks)} audio file{'s' if len(tracks) != 1 else ''} found in battlewords/assets/audio/music") if "music_enabled" not in st.session_state: st.session_state.music_enabled = False if "music_volume" not in st.session_state: st.session_state.music_volume = 15 # --- Add sound effects volume --- if "effects_volume" not in st.session_state: st.session_state.effects_volume = 25 # --- Add enable sound effects --- if "enable_sound_effects" not in st.session_state: st.session_state.enable_sound_effects = True st.checkbox("Enable Sound Effects", value=st.session_state.enable_sound_effects, key="enable_sound_effects") enabled = st.checkbox("Enable music", value=st.session_state.music_enabled, key="music_enabled") st.slider( "Volume", 0, 100, value=int(st.session_state.music_volume), step=1, key="music_volume", disabled=not (enabled and bool(tracks)), ) # --- Add sound effects volume slider --- st.slider( "Sound Effects Volume", 0, 100, value=int(st.session_state.effects_volume), step=1, key="effects_volume", ) selected_path = None if tracks: options = [p for _, p in tracks] # Default to first track if none chosen yet if "music_track_path" not in st.session_state or st.session_state.music_track_path not in options: st.session_state.music_track_path = options[0] def _fmt(p: str) -> str: # Find friendly label for path for name, path in tracks: if path == p: return name return os.path.splitext(os.path.basename(p))[0] selected_path = st.selectbox( "Track", options=options, index=options.index(st.session_state.music_track_path), format_func=_fmt, key="music_track_path", disabled=not enabled, ) src_url = _load_audio_data_url(selected_path) if enabled else None _mount_background_audio(enabled, src_url, (st.session_state.music_volume or 0) / 100) else: st.caption("Place .mp3 files in battlewords/assets/audio/music to enable music.") _mount_background_audio(False, None, 0.0) _inject_audio_control_sync() st.markdown(versions_html(), unsafe_allow_html=True) def get_scope_image(uid: str, size=4, bgcolor="none", scope_color="green", img_name="scope_blue.png"): """ Return a per-puzzle pre-rendered scope image by UID. 1. Check for cached/generated image in temp dir. 2. If not found, use assets/scope.gif. 3. If neither exists, generate and save a new image. """ base_dir = os.path.join(tempfile.gettempdir(), "battlewords_scopes") os.makedirs(base_dir, exist_ok=True) scope_path = os.path.join(base_dir, f"scope_{uid}.png") # 1. Use cached/generated image if it exists if os.path.exists(scope_path): return Image.open(scope_path) # 2. Fallback to assets/scope.gif if available assets_scope_path = os.path.join(os.path.dirname(__file__), "assets", img_name) if os.path.exists(assets_scope_path): return Image.open(assets_scope_path) # 3. Otherwise, generate and save a new image fig, ax = _create_radar_scope(size=size, bgcolor=bgcolor, scope_color=scope_color) imgscope = fig_to_pil_rgba(fig) imgscope.save(scope_path) plt.close(fig) return imgscope def _create_radar_scope(size=4, bgcolor="none", scope_color="green"): fig, ax = plt.subplots(figsize=(size, size), dpi=144) ax.set_facecolor(bgcolor) fig.patch.set_alpha(0.5) ax.set_zorder(0) # Hide decorations but keep patch/frame on for spine in ax.spines.values(): spine.set_visible(False) ax.set_xticks([]) ax.set_yticks([]) # Center lines ax.axhline(0, color=scope_color, alpha=0.8, zorder=1) ax.axvline(0, color=scope_color, alpha=0.8, zorder=1) # ax.set_xticks(range(1, size + 1)) # ax.set_yticks(range(1, size + 1)) # Circles at 25% and 50% radius for radius in [0.33, 0.66, 1.0]: circle = plt.Circle((0, 0), radius, fill=False, color=scope_color, alpha=0.8, zorder=1) ax.add_patch(circle) # Radial lines at 0, 30, 45, 90 degrees angles = [0, 30, 60, 120, 150, 210, 240, 300, 330] for angle in angles: rad = np.deg2rad(angle) x = np.cos(rad) y = np.sin(rad) ax.plot([0, x], [0, y], color=scope_color, alpha=0.5, zorder=1) # Set limits and remove axes ax.set_xlim(-0.5, 0.5) ax.set_ylim(-0.5, 0.5) ax.set_aspect('equal', adjustable='box') ax.axis('off') return fig, ax def _render_radar(puzzle: Puzzle, size: int, r_max: float = 0.8, max_frames: int = 30, sinusoid_expand: bool = True, stagger_radar: bool = False, show_ticks: bool = True): import numpy as np import matplotlib.pyplot as plt from matplotlib.animation import FuncAnimation, PillowWriter from matplotlib.patches import Circle from matplotlib import colors as mcolors import tempfile import os xs = np.array([c.y + 1 for c in puzzle.radar]) ys = np.array([c.x + 1 for c in puzzle.radar]) n_points = len(xs) r_min = 0.15 min_x = min(xs - 0.5) - r_max max_x = max(xs - 0.5) + r_max min_y = min(ys - 0.5) - r_max # Note: ys are inverted in plot max_y = max(ys - 0.5) + r_max ring_linewidth = 3 rgba_labels = mcolors.to_rgba("#FFFFFF", 0.7) rgba_ticks = mcolors.to_rgba("#FFFFFF", 0.66) bgcolor="#4b7bc4" scope_size=3 scope_color="#ffffff" # Determine which rings correspond to already-guessed words (hide them) guessed_words = set(st.session_state.get("guessed", set())) guessed_by_index = [w.text in guessed_words for w in puzzle.words] # GIF cache signature: puzzle uid + guessed words snapshot gif_signature = (getattr(puzzle, "uid", None), tuple(sorted(guessed_words))) # Use per-puzzle scope image keyed by puzzle.uid imgscope = get_scope_image(uid=puzzle.uid, size=scope_size, bgcolor=bgcolor, scope_color=scope_color) # Build figure with explicit axes occupying full canvas to avoid browser-specific padding fig = plt.figure(figsize=(scope_size, scope_size), dpi=144) # Background gradient covering full figure bg_ax = fig.add_axes([0, 0, 1, 1], zorder=0) fig.canvas.draw() # ensure size fig_w, fig_h = [int(v) for v in fig.canvas.get_width_height()] def _make_linear_gradient(width: int, height: int, angle_deg: float, colors_hex: list[str], stops: list[float]) -> np.ndarray: yy, xx = np.meshgrid(np.linspace(0, 1, height), np.linspace(0, 1, width), indexing='ij') theta = np.deg2rad(angle_deg) proj = np.cos(theta) * xx + np.sin(theta) * yy corners = np.array([[0, 0], [1, 0], [0, 1], [1, 1]], dtype=float) pc = np.cos(theta) * corners[:, 0] + np.sin(theta) * corners[:, 1] proj = (proj - pc.min()) / (pc.max() - pc.min() + 1e-12) proj = np.clip(proj, 0.0, 1.0) stop_arr = np.asarray(stops, dtype=float) cols = np.asarray([mcolors.to_rgb(c) for c in colors_hex], dtype=float) j = np.clip(np.searchsorted(stop_arr, proj, side='right') - 1, 0, len(stop_arr) - 2) a = stop_arr[j] b = stop_arr[j + 1] w = ((proj - a) / (b - a + 1e-12))[..., None] c0 = cols[j] c1 = cols[j + 1] img = (1.0 - w) * c0 + w * c1 return img grad_img = _make_linear_gradient( width=fig_w, height=fig_h, angle_deg=-45.0, colors_hex=['#a1a1a1', '#ffffff', '#a1a1a1', '#666666'], stops=[0.0, 1.0 / 3.0, 2.0 / 3.0, 1.0], ) bg_ax.imshow(grad_img, aspect='auto', interpolation='bilinear') bg_ax.axis('off') # Decorative scope image as overlay (does not affect coordinates) scope_ax = fig.add_axes([0, 0, 1, 1], zorder=1) scope_ax.imshow(imgscope, aspect='auto', interpolation='lanczos') scope_ax.axis('off') # Main axes for rings and ticks with fixed limits to stabilize layout across browsers ax = fig.add_axes([0, 0, 1, 1], zorder=2) ax.set_facecolor('none') ax.set_xlim(0.5, size + 0.5) ax.set_ylim(size + 0.5, 0.5) # Inverted for grid coordinates if show_ticks: ax.set_xticks(range(1, size + 1)) ax.set_yticks(range(1, size + 1)) ax.tick_params(axis="both", which="both", labelcolor=rgba_labels) ax.tick_params(axis="both", which="both", colors=rgba_ticks) else: ax.set_xticks([]) ax.set_yticks([]) ax.set_aspect('equal', adjustable='box') for spine in ax.spines.values(): spine.set_visible(False) # Build rings centered on exact cell centers (integer coords) rings: list[Circle] = [] for x, y in zip(xs, ys): ring = Circle((x, y), radius=r_min, fill=False, edgecolor='#9ceffe', linewidth=ring_linewidth, alpha=1.0, zorder=3) ax.add_patch(ring) rings.append(ring) def update(frame): # Hide rings for guessed words for idx, ring in enumerate(rings): ring.set_visible(not guessed_by_index[idx]) if sinusoid_expand: phase = 2 * np.pi * frame / max_frames r = r_min + (r_max - r_min) * (0.5 + 0.5 * np.sin(phase)) alpha = 0.5 + 0.5 * np.cos(phase) for idx, ring in enumerate(rings): if not guessed_by_index[idx]: ring.set_radius(r) ring.set_alpha(alpha) else: base_t = (frame % max_frames) / max_frames offset = max(1, max_frames // max(1, n_points)) if stagger_radar else 0 for idx, ring in enumerate(rings): if guessed_by_index[idx]: continue t_i = ((frame + idx * offset) % max_frames) / max_frames if stagger_radar else base_t r_i = r_min + (r_max - r_min) * t_i alpha_i = 1.0 - t_i ring.set_radius(r_i) ring.set_alpha(alpha_i) return rings # Use persistent GIF if available and matches current signature cached_path = st.session_state.get("radar_gif_path") cached_sig = st.session_state.get("radar_gif_signature") if cached_path and os.path.exists(cached_path) and cached_sig == gif_signature: with open(cached_path, "rb") as f: gif_bytes = f.read() st.image(gif_bytes, width='stretch',) plt.close(fig) return # Otherwise, generate and persist with tempfile.NamedTemporaryFile(suffix=".gif", delete=False) as tmpfile: ani = FuncAnimation(fig, update, frames=max_frames, interval=50, blit=True) ani.save(tmpfile.name, writer=PillowWriter(fps=20)) plt.close(fig) tmpfile.seek(0) gif_bytes = tmpfile.read() st.session_state.radar_gif_path = tmpfile.name # Save path for reuse st.session_state.radar_gif_signature = gif_signature # Save signature to detect changes st.image(gif_bytes, width='stretch') def _render_grid(state: GameState, letter_map, show_grid_ticks: bool = True): size = state.grid_size clicked: Optional[Coord] = None # Determine if the game is over to reveal all remaining tiles as blanks game_over = is_game_over(state) # Inject CSS for grid lines st.markdown( """ """, unsafe_allow_html=True, ) grid_container = st.container() with grid_container: for r in range(size): st.markdown('
', unsafe_allow_html=True) cols = st.columns(size, gap="small") for c in range(size): coord = Coord(r, c) # Treat all cells as revealed once the game is over revealed = (coord in state.revealed) or game_over label = letter_map.get(coord, " ") if revealed else " " is_completed_cell = False if revealed: for w in state.puzzle.words: if w.text in state.guessed and coord in w.cells: is_completed_cell = True break key = f"cell_{r}_{c}" tooltip = f"({r+1},{c+1})" if show_grid_ticks else "" if is_completed_cell: safe_label = (label or " ") if show_grid_ticks: cols[c].markdown( f'
{safe_label}
', unsafe_allow_html=True, ) else: cols[c].markdown( f'
{safe_label}
', unsafe_allow_html=True, ) elif revealed: safe_label = (label or " ") has_letter = safe_label.strip() != "" cell_class = "letter" if has_letter else "empty" display = safe_label if has_letter else " " if show_grid_ticks: cols[c].markdown( f'
{display}
', unsafe_allow_html=True, ) else: cols[c].markdown( f'
{display}
', unsafe_allow_html=True, ) else: # Unrevealed: render a button to allow click/reveal with tooltip if show_grid_ticks: if cols[c].button(" ", key=key, help=tooltip): clicked = coord else: if cols[c].button(" ", key=key): clicked = coord if clicked is not None: reveal_cell(state, letter_map, clicked) # Auto-mark and award base points for any fully revealed words if auto_mark_completed_words(state): # Invalidate radar GIF cache to hide completed rings st.session_state.radar_gif_path = None st.session_state.radar_gif_signature = None # Note: letter_map is static and built once in _init_session(), no need to rebuild _sync_back(state) # Play sound effect based on hit or miss action = (state.last_action or "").strip() if action.startswith("Revealed '"): play_sound_effect("hit", volume=(st.session_state.get("effects_volume", 50) / 100)) elif action.startswith("Revealed empty"): play_sound_effect("miss", volume=(st.session_state.get("effects_volume", 50) / 100)) st.rerun() def _sort_wordlist(filename): import os import time # Add this import WORDS_DIR = os.path.join(os.path.dirname(__file__), "words") filepath = os.path.join(WORDS_DIR, filename) sorted_words = sort_word_file(filepath) # Optionally, write sorted words back to file with open(filepath, "w", encoding="utf-8") as f: # Re-add header if needed f.write("# Optional: place a large Aโ€“Z word list here (one word per line).\n") f.write("# The app falls back to built-in pools if fewer than 500 words per length are found.\n") for word in sorted_words: f.write(f"{word}\n") # Show a message in Streamlit st.success(f"{filename} sorted by length and alphabetically. Starting new game in 5 seconds...") time.sleep(5) # 5 second delay before starting new game _new_game() def _render_hit_miss(state: GameState): # Determine last reveal outcome from last_action string action = (state.last_action or "").strip() is_hit = action.startswith("Revealed '") is_miss = action.startswith("Revealed empty") # Render as a circular radio group, side-by-side st.markdown( f"""
\n
\n
\n \n
\n
HIT
\n
\n
\n
\n \n
\n
MISS
\n
\n
""", unsafe_allow_html=True, ) def _render_correct_try_again(state: GameState): # Determine last guess outcome from last_action string action = (state.last_action or "").strip() is_correct = action.startswith("Correct!") is_try_again = action.startswith("Try Again!") st.markdown( """ """, unsafe_allow_html=True, ) st.markdown( f"""
\n
\n
\n \n
\n
CORRECT!
\n
\n
\n
\n \n
\n
TRY AGAIN
\n
\n
""", unsafe_allow_html=True, ) def _render_guess_form(state: GameState): # Initialize incorrect guesses list in session state (safety check) if "incorrect_guesses" not in st.session_state: st.session_state.incorrect_guesses = [] # Prepare tooltip text for native browser tooltip (stack vertically) recent_incorrect = st.session_state.incorrect_guesses[-10:] if st.session_state.get("show_incorrect_guesses", True) and recent_incorrect: if recent_incorrect: # Build a bullet list so items stack vertically inside the tooltip bullets = "\n".join(f"โ€ข {g}" for g in recent_incorrect) tooltip_text = "Recent incorrect guesses:\n" + bullets else: tooltip_text = "No incorrect guesses yet" else: tooltip_text = None # Add CSS for the incorrect guesses display st.markdown( """ """, unsafe_allow_html=True, ) with st.form("guess_form", width=300, clear_on_submit=True): col1, col2 = st.columns([2, 1], vertical_alignment="bottom") with col1: guess_text = st.text_input( "Your Guess", value="", max_chars=10, width=200, key="guess_input", help=tooltip_text, # Use Streamlit's built-in help parameter for tooltip ) with col2: submitted = st.form_submit_button("OK", disabled=not state.can_guess, width=100, key="guess_submit") # Show compact list below input if setting is enabled #if st.session_state.get("show_incorrect_guesses", True) and recent_incorrect: # st.markdown( # f'
Recent: {", ".join(recent_incorrect)}
', # unsafe_allow_html=True, # ) if submitted: correct, _ = guess_word(state, guess_text) _sync_back(state) # Invalidate radar GIF cache if guess changed the set of guessed words if correct: st.session_state.radar_gif_path = None st.session_state.radar_gif_signature = None play_sound_effect("correct_guess", volume=(st.session_state.get("effects_volume", 50) / 100)) else: # Update incorrect guesses list - keep only last 10 st.session_state.incorrect_guesses.append(guess_text) st.session_state.incorrect_guesses = st.session_state.incorrect_guesses[-10:] play_sound_effect("incorrect_guess", volume=(st.session_state.get("effects_volume", 50) / 100)) st.rerun() # -------------------- Score Panel -------------------- def _render_score_panel(state: GameState): # Always render the score table (overlay handled separately) rows_html = [] header_html = ( "" "Word" "Letters" "Extra" "" ) rows_html.append(header_html) for w in state.puzzle.words: pts = state.points_by_word.get(w.text, 0) letters_display = len(w.text) if pts > 0 or state.game_mode == "too easy": # Extra = total points for the word minus its length (bonus earned) extra_pts = max(0, pts - letters_display) row_html = ( "" f"{w.text}" f"{letters_display}" f"{extra_pts}" "" ) rows_html.append(row_html) else: # Hide unguessed words in classic mode row_html = ( "" f"{hidden_word_display(letters_display,'_')}" f"{letters_display}" f"_" "" ) rows_html.append(row_html) # Initial time shown from server; JS will tick client-side now = datetime.now() start = state.start_time or now end = state.end_time or (now if is_game_over(state) else None) elapsed = (end or now) - start mins, secs = divmod(int(elapsed.total_seconds()), 60) timer_str = f"{mins:02d}:{secs:02d}" span_id = f"bw-timer-{getattr(state.puzzle, 'uid', 'default')}" timer_span_html = f" โฑ {timer_str}" total_row_html = ( f"" f"

Total: {state.score} {timer_span_html}

" f"" ) rows_html.append(total_row_html) # Build a self-contained HTML document so JS runs inside the component iframe start_ms = int(start.timestamp() * 1000) end_ms = int(end.timestamp() * 1000) if end else None table_inner = "".join(rows_html) html_doc = f"""
{table_inner}
""" # Height heuristic to avoid layout jumps num_rows = len(rows_html) height = 40 + (num_rows * 36) components.html(html_doc, height=height, scrolling=False) # -------------------- Game Over Dialog -------------------- def _game_over_content(state: GameState) -> None: # Play congratulations music (not sound effect) as background if enabled music_dir = _get_music_dir() congrats_music_path = os.path.join(music_dir, "congratulations.mp3") if st.session_state.get("music_enabled", False) and os.path.exists(congrats_music_path): src_url = _load_audio_data_url(congrats_music_path) # Play once (no loop) at configured volume _mount_background_audio(enabled=True, src_data_url=src_url, volume=(st.session_state.get("music_volume", 100)) / 100, loop=False) else: _mount_background_audio(False, None, 0.0) # Set end_time if not already set if state.end_time is None: st.session_state.end_time = datetime.now() state.end_time = st.session_state.end_time # Timer calculation start = state.start_time or state.end_time or datetime.now() end = state.end_time or datetime.now() elapsed = end - start elapsed_seconds = int(elapsed.total_seconds()) mins, secs = divmod(elapsed_seconds, 60) timer_str = f"{mins:02d}:{secs:02d}" # Compute optional word list difficulty for current run difficulty_value = None try: wordlist_source = st.session_state.get("selected_wordlist") if wordlist_source: words_dir = os.path.join(os.path.dirname(__file__), "words") wordlist_path = os.path.join(words_dir, wordlist_source) if os.path.exists(wordlist_path): current_words = [w.text for w in state.puzzle.words] total_diff, _ = compute_word_difficulties(wordlist_path, words_array=current_words) difficulty_value = float(total_diff) except Exception: difficulty_value = None # Render difficulty line only if we have a value difficulty_html = ( f'
Word list difficulty: {difficulty_value:.2f}
' if difficulty_value is not None else "" ) # Build table body HTML for dialog content word_rows = [] for w in state.puzzle.words: pts = st.session_state.points_by_word.get(w.text, 0) extra_pts = max(0, pts - len(w.text)) word_rows.append( f"{w.text}{len(w.text)}{extra_pts}" ) table_html = ( "" "" "" "" "" "" f"{''.join(word_rows)}" f"" f"{difficulty_html}" "" "
WordLettersExtra
Total: {state.score}  โฑ {timer_str}
" ) # Optional extra styles for this dialog content st.markdown( """ """, unsafe_allow_html=True, ) st.markdown( f"""
Congratulations!
Final score: {state.score}
Time: {timer_str}
Tier: {compute_tier(state.score)}
Game Mode: {state.game_mode}
Wordlist: {st.session_state.get('selected_wordlist', '')}
{table_html}
""", unsafe_allow_html=True, ) # Ensure the popup is in view by scrolling the parent window to the main anchor (or top as fallback) components.html( """ """, height=0, ) # Share Challenge Button st.markdown("---") # Style the containing Streamlit block via CSS :has() using an anchor inside this container with st.container(): st.markdown( """
""", unsafe_allow_html=True, ) st.markdown("### ๐ŸŽฎ Share Your Challenge") # Check if this is a shared game being completed is_shared_game = st.session_state.get("loaded_game_sid") is not None existing_sid = st.session_state.get("loaded_game_sid") # Username input if "player_username" not in st.session_state: st.session_state["player_username"] = "" username = st.text_input( "Enter your name (optional)", value=st.session_state.get("player_username", ""), key="username_input", placeholder="Anonymous" ) if username: st.session_state["player_username"] = username else: username = "Anonymous" # Check if share URL already generated if "share_url" not in st.session_state or st.session_state.get("share_url") is None: button_text = "๐Ÿ“Š Submit Your Result" if is_shared_game else "๐Ÿ”— Generate Share Link" if st.button(button_text, key="generate_share_link", use_container_width=True): try: # Extract game data word_list = [w.text for w in state.puzzle.words] spacer = state.puzzle.spacer may_overlap = state.puzzle.may_overlap wordlist_source = st.session_state.get("selected_wordlist", "unknown") if is_shared_game and existing_sid: # Add result to existing game success = add_user_result_to_game( sid=existing_sid, username=username, word_list=word_list, # Each user gets different words score=state.score, time_seconds=elapsed_seconds ) if success: share_url = get_shareable_url(existing_sid) st.session_state["share_url"] = share_url st.session_state["share_sid"] = existing_sid st.success(f"โœ… Result submitted for {username}!") st.rerun() else: st.error("Failed to submit result") else: # Create new game challenge_id, full_url, sid = save_game_to_hf( word_list=word_list, username=username, score=state.score, time_seconds=elapsed_seconds, game_mode=state.game_mode, grid_size=state.grid_size, spacer=spacer, may_overlap=may_overlap, wordlist_source=wordlist_source ) if sid: share_url = get_shareable_url(sid) st.session_state["share_url"] = share_url st.session_state["share_sid"] = sid st.rerun() else: st.error("Failed to generate short URL") except Exception as e: st.error(f"Failed to save game: {e}") else: # Conditionally display the generated share URL if st.session_state.get("show_challenge_share_links", False): # Display generated share URL share_url = st.session_state["share_url"] st.success("โœ… Share link generated!") st.code(share_url, language=None) # More robust copy-to-clipboard implementation with fallbacks import json as _json import html as _html _share_url_json = _json.dumps(share_url) # safe for JS _share_url_attr = _html.escape(share_url, quote=True) # safe for HTML attribute _share_url_text = _html.escape(share_url) components.html( f""" """, height=80 ) else: # Do not display the share URL, but confirm itโ€™s saved/submitted st.success("โœ… Your result has been saved.") st.markdown("---") # Dialog actions if st.button("Close", key="close_game_over"): st.session_state["show_gameover_overlay"] = False st.session_state["remount_background_audio"] = True # <-- set flag st.rerun() # Prefer st.dialog/experimental_dialog; fallback to st.modal if unavailable _Dialog = getattr(st, "dialog", getattr(st, "experimental_dialog", None)) if _Dialog: @_Dialog("Game Over") def _game_over_dialog(state: GameState): _game_over_content(state) else: def _game_over_dialog(state: GameState): modal_ctx = getattr(st, "modal", None) if callable(modal_ctx): with modal_ctx("Game Over"): _game_over_content(state) else: # Last-resort inline render st.subheader("Game Over") _game_over_content(state) def _render_game_over(state: GameState): visible = bool(st.session_state.get("show_gameover_overlay", True)) and is_game_over(state) music_dir = _get_music_dir() if visible: # Mount congratulations music (play once, do not loop) only if music is enabled congrats_music_path = os.path.join(music_dir, "congratulations.mp3") if st.session_state.get("music_enabled", False) and os.path.exists(congrats_music_path): src_url = _load_audio_data_url(congrats_music_path) _mount_background_audio(enabled=True, src_data_url=src_url, volume=(st.session_state.get("music_volume", 100)) / 100, loop=False) else: _mount_background_audio(False, None, 0.0) _game_over_dialog(state) else: # Only play background music if music is enabled if st.session_state.get("music_enabled", False): # Prefer user-selected track track_path = st.session_state.get("music_track_path") if track_path and os.path.exists(track_path): src_url = _load_audio_data_url(track_path) _mount_background_audio(True, src_url, (st.session_state.get("music_volume", 100)) / 100) else: # Fallback to a default background track if available background_path = os.path.join(music_dir, "background.mp3") if os.path.exists(background_path): src_url = _load_audio_data_url(background_path) _mount_background_audio(True, src_url, (st.session_state.get("music_volume", 100)) / 100) else: _mount_background_audio(False, None, 0.0) def run_app(): # Render PWA service worker registration (meta tags in via Docker) st.markdown(pwa_service_worker, unsafe_allow_html=True) # Handle query params using new API try: params = st.query_params except Exception: params = {} # Handle overlay dismissal if params.get("overlay") == "0": # Clear param and remember to hide overlay this session try: st.query_params.clear() except Exception: pass st.session_state["hide_gameover_overlay"] = True # Handle game_id for loading shared games if "game_id" in params and "shared_game_loaded" not in st.session_state: sid = params.get("game_id") try: settings = load_game_from_sid(sid) if settings: # Store loaded settings and sid for initialization st.session_state["shared_game_settings"] = settings st.session_state["loaded_game_sid"] = sid # Store sid for adding results later st.session_state["shared_game_loaded"] = True # Get best score and time from users array users = settings.get("users", []) if users: best_score = max(u["score"] for u in users) best_time = min(u["time"] for u in users) st.toast( f"๐ŸŽฏ Loading shared challenge (Best: {best_score} pts in {best_time}s by {len(users)} player(s))", icon="โ„น๏ธ" ) else: st.toast("๐ŸŽฏ Loading shared challenge", icon="โ„น๏ธ") else: st.warning(f"No shared game found for ID: {sid}. Starting a normal game.") st.session_state["shared_game_loaded"] = True # Prevent repeated attempts except Exception as e: st.error(f"โŒ Error loading shared game: {e}") st.session_state["shared_game_loaded"] = True # Prevent repeated attempts _init_session() st.markdown(ocean_background_css, unsafe_allow_html=True) inject_ocean_layers() # <-- add the animated layers _render_header() _render_sidebar() state = _to_state() # Anchor to target the main two-column layout for mobile reversal st.markdown('
', unsafe_allow_html=True) left, right = st.columns([3, 2], gap="medium") with right: _render_radar(state.puzzle, size=state.grid_size, r_max=0.8, max_frames=25, sinusoid_expand=True, stagger_radar=False, show_ticks=st.session_state.get("show_grid_ticks", False)) one, two = st.columns([1, 2], gap="medium") with one: _render_correct_try_again(state) #_render_hit_miss(state) with two: _render_guess_form(state) #st.divider() _render_score_panel(state) with left: _render_grid(state, st.session_state.letter_map, show_grid_ticks=st.session_state.get("show_grid_ticks", True)) st.button("New Game", width=125, on_click=_new_game, key="new_game_btn") # End condition (only show overlay if dismissed) state = _to_state() if is_game_over(state) and not st.session_state.get("hide_gameover_overlay", False): _render_game_over(state) def _on_game_option_change() -> None: """ Unified callback for game option changes. If currently in a loaded challenge, break the link by resetting challenge state and removing the game_id query param. Then start a new game with the updated options. """ try: # Remove challenge-specific query param if present if hasattr(st, "query_params"): qp = st.query_params # st.query_params may be a Mapping; pop safely if supported try: if "game_id" in qp: qp.pop("game_id") except Exception: # Fallback: clear all params if pop not supported try: st.query_params.clear() except Exception: pass except Exception: pass # Clear challenge session flags and links if st.session_state.get("loaded_game_sid") is not None: st.session_state.loaded_game_sid = None # Remove loaded challenge settings so UI no longer treats session as challenge mode st.session_state.pop("shared_game_settings", None) # Ensure the loader won't auto-reload challenge on rerun within this session st.session_state["shared_game_loaded"] = True # Clear any existing generated share link tied to the previous challenge st.session_state.pop("share_url", None) st.session_state.pop("share_sid", None) # Start a fresh game with updated options _new_game()