Spaces:
Sleeping
Sleeping
File size: 30,865 Bytes
f433461 9047f1a f433461 | 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 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 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 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 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 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 | import asyncio
import base64
import os
import queue
import threading
import time
import uuid
from typing import AsyncIterator
import gradio as gr
import numpy as np
from mistralai import Mistral
from mistralai.extra.realtime import UnknownRealtimeEvent
from mistralai.models import (
AudioFormat,
RealtimeTranscriptionError,
RealtimeTranscriptionSessionCreated,
TranscriptionStreamDone,
TranscriptionStreamTextDelta,
)
# --- SECURITY ENHANCEMENT ---
# kkk = Your Mistral API Key
# ppp = The password you want users to enter
MISTRAL_PRIVATE_KEY = os.environ.get("kkk", "")
APP_PASSWORD = os.environ.get("ppp", "")
# ----------------------------
# Load Voxtral icon as base64
VOXTRAL_ICON_B64 = ""
icon_path = os.path.join(os.path.dirname(__file__), "assets", "voxtral.png")
if os.path.exists(icon_path):
with open(icon_path, "rb") as f:
VOXTRAL_ICON_B64 = base64.b64encode(f.read()).decode("utf-8")
SAMPLE_RATE = 16_000
WARMUP_DURATION = 2.0 # seconds of silence for warmup
WPM_WINDOW = 10 # seconds for running mean calculation
CALIBRATION_PERIOD = 5 # seconds before showing WPM
SESSION_TIMEOUT = int(os.environ.get("SESSION_TIMEOUT", "35")) # Max 30s per session
INACTIVITY_TIMEOUT = int(os.environ.get("INACTIVITY_TIMEOUT", "10")) # Close after 10s silence
MAX_CONCURRENT_SESSIONS = int(os.environ.get("MAX_SESSIONS", "50"))
# Global config (shared across users)
MISTRAL_BASE_URL = "wss://api.mistral.ai"
MODEL = "voxtral-mini-transcribe-realtime-2602"
# Global event loop for all websocket connections (runs in single background thread)
_event_loop = None
_loop_thread = None
_loop_lock = threading.Lock()
# Track active sessions for resource management
_active_sessions = {}
_sessions_lock = threading.Lock()
# Global session registry - sessions are stored here and looked up by ID
_session_registry = {}
_registry_lock = threading.Lock()
_last_cleanup = time.time()
SESSION_REGISTRY_CLEANUP_INTERVAL = 30 # seconds
SESSION_MAX_AGE = 30 # 30 seconds - remove sessions older than this
def get_or_create_session(session_id: str = None) -> "UserSession":
"""Get existing session by ID or create a new one."""
global _last_cleanup
# Periodic cleanup of stale sessions
now = time.time()
if now - _last_cleanup > SESSION_REGISTRY_CLEANUP_INTERVAL:
_cleanup_stale_sessions()
_last_cleanup = now
with _registry_lock:
if session_id and session_id in _session_registry:
session = _session_registry[session_id]
# Validate the session is actually a UserSession instance
if isinstance(session, UserSession):
session._last_accessed = now
return session
else:
# Corrupted registry entry - remove and create new
print(f"WARNING: Corrupted session registry entry for {session_id}: {type(session)}")
del _session_registry[session_id]
# Create new session
session = UserSession()
session._last_accessed = now
_session_registry[session.session_id] = session
return session
def _cleanup_stale_sessions():
"""Remove sessions that haven't been accessed recently."""
now = time.time()
to_remove_from_registry = []
to_remove_from_active = []
# Need both locks to safely check both dictionaries
with _registry_lock:
with _sessions_lock:
# Find stale sessions in registry
for session_id, session in _session_registry.items():
# NEVER remove if still in active_sessions (websocket still running)
if session_id in _active_sessions:
continue
last_accessed = getattr(session, '_last_accessed', 0)
# Remove if: not running AND not active AND old
if not session.is_running and (now - last_accessed > SESSION_MAX_AGE):
to_remove_from_registry.append(session_id)
# Find orphaned sessions in active_sessions (not in registry anymore)
for session_id, session in list(_active_sessions.items()):
if session_id not in _session_registry:
# Orphaned - mark for removal
if not session.is_running:
to_remove_from_active.append(session_id)
# Clean up registry
for session_id in to_remove_from_registry:
_session_registry.pop(session_id, None)
# Clean up orphaned active sessions
for session_id in to_remove_from_active:
_active_sessions.pop(session_id, None)
active_count = len(_active_sessions)
registry_count = len(_session_registry)
total_cleaned = len(to_remove_from_registry) + len(to_remove_from_active)
if total_cleaned > 0:
print(f"Cleaned up {len(to_remove_from_registry)} stale + {len(to_remove_from_active)} orphaned sessions. Registry: {registry_count}, Active: {active_count}")
def cleanup_session(session_id: str):
"""Remove session from registry."""
with _registry_lock:
_session_registry.pop(session_id, None)
def kill_all_sessions():
"""Emergency cleanup - kill ALL active sessions to free capacity."""
killed_count = 0
with _sessions_lock:
sessions_to_kill = list(_active_sessions.values())
for session in sessions_to_kill:
try:
session.is_running = False
session._stopped_by_user = True
# Signal stop event
if session._stop_event is not None:
loop = get_event_loop()
try:
asyncio.run_coroutine_threadsafe(
_set_stop_event_sync(session._stop_event), loop
)
except Exception:
pass
session._stop_event = None
# Cancel the task
if session._task is not None:
session._task.cancel()
session._task = None
killed_count += 1
except Exception as e:
print(f"Error killing session {session.session_id[:8]}: {e}")
# Clear both dictionaries
with _registry_lock:
with _sessions_lock:
_active_sessions.clear()
_session_registry.clear()
print(f"CAPACITY RESET: Killed {killed_count} sessions. All sessions cleared.")
async def _set_stop_event_sync(event):
"""Helper to set asyncio event."""
event.set()
def get_event_loop():
"""Get or create the shared event loop."""
global _event_loop, _loop_thread
with _loop_lock:
if _event_loop is None or not _event_loop.is_running():
_event_loop = asyncio.new_event_loop()
_loop_thread = threading.Thread(target=_run_event_loop, daemon=True)
_loop_thread.start()
# Wait for loop to start
time.sleep(0.1)
return _event_loop
def _run_event_loop():
"""Run the event loop in background thread."""
asyncio.set_event_loop(_event_loop)
_event_loop.run_forever()
class UserSession:
"""Per-user session state."""
def __init__(self, api_key: str = None):
self.session_id = str(uuid.uuid4())
self.api_key = api_key
# Use a thread-safe queue for cross-thread communication
self._audio_queue = queue.Queue(maxsize=200)
self.transcription_text = ""
self.is_running = False
self.status_message = "ready"
self.word_timestamps = []
self.current_wpm = "Calibrating..."
self.session_start_time = None
self.last_audio_time = None
self._start_lock = threading.Lock()
self._task = None # Track the async task
self._stop_event = None # Event to signal stop
self._stopped_by_user = False # Track if user explicitly stopped
@property
def audio_queue(self):
"""Return the thread-safe queue."""
return self._audio_queue
def reset_queue(self):
"""Reset the audio queue."""
self._audio_queue = queue.Queue(maxsize=200)
# Load CSS from external file
css_path = os.path.join(os.path.dirname(__file__), "style.css")
with open(css_path, "r") as f:
CUSTOM_CSS = f.read()
def get_header_html() -> str:
"""Generate the header HTML with Voxtral logo."""
if VOXTRAL_ICON_B64:
logo_html = f'<img src="data:image/png;base64,{VOXTRAL_ICON_B64}" alt="Voxtral" class="header-logo" />'
else:
logo_html = ''
return f"""
<div class="header-card">
<h1 class="header-title">{logo_html}Real-time ASR ...(<500 ms)... </h1>
<p class="header-subtitle">Enter the 🔥<b>App Password</b>🔥 below, then click the microphone to start streaming transcriptions.</p>
<p class="header-subtitle">🗣️ Talk naturally. Talk fast. Talk ridiculously fast.⚡ I can handle it.🔥 </p>
</div>
"""
def get_status_html(status: str) -> str:
"""Generate status badge HTML based on current status."""
status_configs = {
"ready": ("STANDBY", "status-ready", ""),
"connecting": ("CONNECTING", "status-connecting", "fast"),
"warming": ("WARMING UP", "status-warming", "fast"),
"listening": ("LISTENING", "status-listening", "animate"),
"timeout": ("TIMEOUT", "status-timeout", ""),
"error": ("ERROR", "status-error", ""),
}
label, css_class, dot_class = status_configs.get(status, status_configs["ready"])
dot_anim = f" {dot_class}" if dot_class else ""
return f"""<div class="status-badge {css_class}"><span class="status-dot{dot_anim}"></span><span style="color: inherit !important;">{label}</span></div>"""
def get_transcription_html(transcript: str, status: str, wpm: str = "Calibrating...") -> str:
"""Generate the full transcription card HTML."""
status_badge = get_status_html(status)
wpm_badge = f'<div class="wpm-badge"><span style="color: #1E1E1E !important;">{wpm}</span></div>'
if transcript:
cursor_html = '<span class="transcript-cursor"></span>' if status == "listening" else ""
content_html = f"""
<div class="transcript-text" style="color: #000000 !important;">
{transcript}{cursor_html}
</div>
"""
elif status in ["listening", "warming", "connecting"]:
content_html = """
<div class="empty-state">
<div class="empty-dots">
<div class="empty-dot"></div>
<div class="empty-dot"></div>
<div class="empty-dot"></div>
</div>
<p class="empty-text" style="color: #555555 !important;">Listening for audio...</p>
</div>
"""
elif status == "timeout":
content_html = """
<div class="empty-state">
<p class="empty-text" style="color: #B30400 !important;">Session timeout (5 minutes)</p>
<p class="empty-text" style="color: #555555 !important;">Click 'Clear History' and refresh to restart.</p>
</div>
"""
else:
content_html = """
<div class="empty-state">
<p class="empty-text" style="color: #555555 !important;">// Awaiting audio input...</p>
<p class="empty-text" style="color: #555555 !important;">// Click the microphone to start.</p>
</div>
"""
# Use base64 image if available
if VOXTRAL_ICON_B64:
icon_html = f'<img src="data:image/png;base64,{VOXTRAL_ICON_B64}" alt="Voxtral" class="voxtral-icon" />'
else:
icon_html = '<span style="font-size:20px;">🎙️</span>'
return f"""
<div class="transcription-card">
<div class="card-header">
<div class="card-header-left">
{icon_html}
<span class="card-title" style="color: #1E1E1E !important;">Transcription Output</span>
</div>
<div class="card-header-right">
{wpm_badge}
{status_badge}
</div>
</div>
<div class="card-content">
{content_html}
</div>
<div class="card-footer">
<span style="color: #555555 !important;">Voxtral Mini</span>
<span style="color: #555555 !important;">Real-time Audio Transcription</span>
</div>
</div>
"""
def calculate_wpm(session):
"""Calculate words per minute based on running mean of last WPM_WINDOW seconds."""
if session.session_start_time is not None:
elapsed = time.time() - session.session_start_time
if elapsed < CALIBRATION_PERIOD:
return "Calibrating..."
if len(session.word_timestamps) < 2:
return "0.0 WPM"
current_time = time.time()
cutoff_time = current_time - WPM_WINDOW
session.word_timestamps = [ts for ts in session.word_timestamps if ts >= cutoff_time]
if len(session.word_timestamps) < 2:
return "0.0 WPM"
time_span = current_time - session.word_timestamps[0]
if time_span == 0:
return "0.0 WPM"
word_count = len(session.word_timestamps)
wpm = (word_count / time_span) * 60
return f"{round(wpm, 1)} WPM"
async def audio_stream_from_queue(session) -> AsyncIterator[bytes]:
"""Async generator that yields audio bytes from the session queue."""
# First, send silence for warmup
session.status_message = "warming"
num_samples = int(SAMPLE_RATE * WARMUP_DURATION)
silence = np.zeros(num_samples, dtype=np.int16)
chunk_size = int(SAMPLE_RATE * 0.1) # 100ms chunks
for i in range(0, num_samples, chunk_size):
if not session.is_running:
return
chunk = silence[i:i + chunk_size]
yield chunk.tobytes()
await asyncio.sleep(0.05)
session.status_message = "listening"
# Then stream real audio from the queue
while session.is_running:
# Check for inactivity timeout
if session.last_audio_time is not None:
idle = time.time() - session.last_audio_time
if idle >= INACTIVITY_TIMEOUT:
session.is_running = False
session.status_message = "ready"
return
# Check for session timeout
if session.session_start_time is not None:
elapsed = time.time() - session.session_start_time
if elapsed >= SESSION_TIMEOUT:
session.is_running = False
session.status_message = "timeout"
return
# Check if stop was requested
if session._stop_event and session._stop_event.is_set():
return
# Get audio from queue
try:
# The queue contains base64-encoded PCM16 audio
b64_chunk = session.audio_queue.get_nowait()
# Decode base64 to raw bytes
audio_bytes = base64.b64decode(b64_chunk)
yield audio_bytes
except queue.Empty:
# No audio available, yield control briefly
await asyncio.sleep(0.05)
continue
async def mistral_transcription_handler(session):
"""Connect to Mistral realtime API and handle transcription."""
try:
if not session.api_key:
session.status_message = "error"
print(f"Session {session.session_id[:8]}: No API key provided")
return
# Create Mistral client
client = Mistral(api_key=session.api_key, server_url=MISTRAL_BASE_URL)
audio_format = AudioFormat(encoding="pcm_s16le", sample_rate=SAMPLE_RATE)
session.status_message = "connecting"
# Create the audio stream generator
audio_stream = audio_stream_from_queue(session)
print(f"Session {session.session_id[:8]}: Connecting to Mistral realtime API...")
async for event in client.audio.realtime.transcribe_stream(
audio_stream=audio_stream,
model=MODEL,
audio_format=audio_format,
):
if not session.is_running:
break
if isinstance(event, RealtimeTranscriptionSessionCreated):
print(f"Session {session.session_id[:8]}: Connected to Mistral")
# Status is already set by audio_stream_from_queue
elif isinstance(event, TranscriptionStreamTextDelta):
delta = event.text
session.transcription_text += delta
# Track words for WPM calculation
words = delta.split()
for _ in words:
session.word_timestamps.append(time.time())
session.current_wpm = calculate_wpm(session)
elif isinstance(event, TranscriptionStreamDone):
print(f"Session {session.session_id[:8]}: Transcription done")
break
elif isinstance(event, RealtimeTranscriptionError):
print(f"Session {session.session_id[:8]}: Error - {event.error}")
session.status_message = "error"
break
elif isinstance(event, UnknownRealtimeEvent):
continue # Ignore unknown events
except asyncio.CancelledError:
pass # Normal cancellation
except Exception as e:
error_msg = str(e) if str(e) else type(e).__name__
if "ConnectionReset" not in error_msg and "CancelledError" not in error_msg:
print(f"Session {session.session_id[:8]}: Mistral API error - {error_msg}")
session.status_message = "error"
finally:
session.is_running = False
# Only remove and log if not already handled by stop_session
if not session._stopped_by_user:
with _sessions_lock:
removed = _active_sessions.pop(session.session_id, None)
active_count = len(_active_sessions)
if removed:
print(f"Session {session.session_id[:8]} ended. Active sessions: {active_count}")
def start_transcription(session):
"""Start Mistral transcription using the shared event loop."""
session.is_running = True
session._stop_event = asyncio.Event()
# Register this session
with _sessions_lock:
_active_sessions[session.session_id] = session
active_count = len(_active_sessions)
print(f"Starting session {session.session_id[:8]}. Active sessions: {active_count}")
# Submit to the shared event loop
loop = get_event_loop()
future = asyncio.run_coroutine_threadsafe(mistral_transcription_handler(session), loop)
session._task = future
# Don't block - the coroutine runs in the background
# Cleanup happens in mistral_transcription_handler's finally block
def ensure_session(session_id):
"""Get or create a valid UserSession from a session_id."""
# Handle various invalid inputs
if session_id is None or callable(session_id):
session = get_or_create_session()
return session
# If it's already a UserSession object (legacy), return it
if isinstance(session_id, UserSession):
return session_id
# Otherwise treat it as a session_id string
session = get_or_create_session(str(session_id))
# Defensive check - this should never happen but helps debug
if not isinstance(session, UserSession):
print(f"WARNING: ensure_session returned non-UserSession: {type(session)}")
return get_or_create_session()
return session
def auto_start_recording(session):
"""Automatically start the transcription service when audio begins."""
# Protect against startup races: Gradio can call `process_audio` concurrently.
with session._start_lock:
if session.is_running:
return get_transcription_html(session.transcription_text, session.status_message, session.current_wpm)
# Check if API key is set
if not session.api_key:
session.status_message = "error"
return get_transcription_html("Please enter the correct App Password above to start.", "error", "")
# Check if we've hit max concurrent sessions - kill all if so
with _sessions_lock:
active_at_capacity = len(_active_sessions) >= MAX_CONCURRENT_SESSIONS
with _registry_lock:
registry_over = len(_session_registry) > MAX_CONCURRENT_SESSIONS
if active_at_capacity or registry_over:
kill_all_sessions()
session.status_message = "error"
return get_transcription_html("Server reset due to capacity. Please click the microphone to restart.", "error", "")
session.transcription_text = ""
session.word_timestamps = []
session.current_wpm = "Calibrating..."
session.session_start_time = time.time()
session.last_audio_time = time.time()
session.status_message = "connecting"
# Start Mistral transcription (now non-blocking, uses shared event loop)
start_transcription(session)
return get_transcription_html(session.transcription_text, session.status_message, session.current_wpm)
def stop_session(session_id, api_key=None):
"""Stop the transcription and invalidate the session.
Returns None for session_id so a fresh session is created on next recording.
This prevents duplicate session issues when users stop and restart quickly.
"""
session = ensure_session(session_id)
old_transcript = session.transcription_text
old_wpm = session.current_wpm
if session.is_running:
session.is_running = False
session.last_audio_time = None
session._stopped_by_user = True # Mark as user-stopped to avoid duplicate logging
# Signal the stop event to terminate the audio stream
if session._stop_event is not None:
loop = get_event_loop()
try:
asyncio.run_coroutine_threadsafe(
_set_stop_event(session._stop_event), loop
)
except Exception:
pass
session._stop_event = None
# Cancel the running task if any
if session._task is not None:
session._task.cancel()
session._task = None
# Remove from active sessions
with _sessions_lock:
_active_sessions.pop(session.session_id, None)
active_count = len(_active_sessions)
print(f"Mic stopped - session {session.session_id[:8]} ended. Active sessions: {active_count}")
# Remove from registry - the session is done
cleanup_session(session.session_id)
# Return None for session_id - a fresh session will be created on next recording
# This ensures no duplicate sessions when users stop/start quickly
return get_transcription_html(old_transcript, "ready", old_wpm), None
async def _set_stop_event(event):
"""Helper to set asyncio event from sync context."""
event.set()
def clear_history(session_id, api_key=None):
"""Stop the transcription and clear all history."""
session = ensure_session(session_id)
session.is_running = False
session.last_audio_time = None
session._stopped_by_user = True # Mark as user-stopped
# Signal the stop event
if session._stop_event is not None:
loop = get_event_loop()
try:
asyncio.run_coroutine_threadsafe(
_set_stop_event(session._stop_event), loop
)
except Exception:
pass
session._stop_event = None
# Cancel the running task if any
if session._task is not None:
session._task.cancel()
session._task = None
# Remove from active sessions
with _sessions_lock:
_active_sessions.pop(session.session_id, None)
# Reset the queue
session.reset_queue()
session.transcription_text = ""
session.word_timestamps = []
session.current_wpm = "Calibrating..."
session.session_start_time = None
session.status_message = "ready"
# Return the session_id to maintain state
return get_transcription_html("", "ready", "Calibrating..."), None, session.session_id
def process_audio(audio, session_id, api_key_input):
"""Process incoming audio and queue for streaming."""
# --- PASSWORD VALIDATION ---
provided_password = api_key_input.strip() if api_key_input else ""
if provided_password != APP_PASSWORD:
return get_transcription_html(
"Invalid App Password. Access Denied.",
"error",
""
), None
# If password is correct, use the private key from environment
actual_api_key = MISTRAL_PRIVATE_KEY
# ---------------------------
# Check capacity - if at or above max, kill ALL sessions to reset
with _sessions_lock:
active_count = len(_active_sessions)
is_active_user = session_id and any(s.session_id == session_id for s in _active_sessions.values())
with _registry_lock:
registry_count = len(_session_registry)
# Kill all if:
# 1. Registry exceeds limit (memory safety)
# 2. Active sessions exceed limit
# 3. At active capacity AND new user trying to join
if registry_count > MAX_CONCURRENT_SESSIONS or active_count > MAX_CONCURRENT_SESSIONS or (active_count >= MAX_CONCURRENT_SESSIONS and not is_active_user):
kill_all_sessions()
return get_transcription_html(
"Server reset due to capacity. Please click the microphone to restart.",
"error",
""
), None
# Always ensure we have a valid session first
try:
session = ensure_session(session_id)
# Update API key on the session with the PRIVATE KEY
session.api_key = actual_api_key
except Exception as e:
print(f"Error creating session: {e}")
# Create a fresh session if ensure_session fails
session = UserSession(api_key=actual_api_key)
_session_registry[session.session_id] = session
# Cache session_id early in case of later errors
current_session_id = session.session_id
try:
# Quick return if audio is None
if audio is None:
wpm = session.current_wpm if session.is_running else "Calibrating..."
return get_transcription_html(session.transcription_text, session.status_message, wpm), current_session_id
# Update last audio time for inactivity tracking
session.last_audio_time = time.time()
# Auto-start if not running
if not session.is_running and session.status_message not in ["timeout", "error"]:
auto_start_recording(session)
# Skip processing if session stopped
if not session.is_running:
return get_transcription_html(session.transcription_text, session.status_message, session.current_wpm), current_session_id
sample_rate, audio_data = audio
# Convert to mono if stereo
if len(audio_data.shape) > 1:
audio_data = audio_data.mean(axis=1)
# Normalize to float
if audio_data.dtype == np.int16:
audio_float = audio_data.astype(np.float32) / 32767.0
else:
audio_float = audio_data.astype(np.float32)
# Resample to 16kHz if needed
if sample_rate != SAMPLE_RATE:
num_samples = int(len(audio_float) * SAMPLE_RATE / sample_rate)
audio_float = np.interp(
np.linspace(0, len(audio_float) - 1, num_samples),
np.arange(len(audio_float)),
audio_float,
)
# Convert to PCM16 and base64 encode
pcm16 = (audio_float * 32767).astype(np.int16)
b64_chunk = base64.b64encode(pcm16.tobytes()).decode("utf-8")
# Put directly into thread-safe queue (no event loop needed)
try:
session.audio_queue.put_nowait(b64_chunk)
except Exception:
pass # Skip if queue is full
return get_transcription_html(session.transcription_text, session.status_message, session.current_wpm), current_session_id
except Exception as e:
print(f"Error processing audio: {e}")
# Return safe defaults - always include session_id to maintain state
return get_transcription_html("", "error", ""), current_session_id
# Gradio interface
with gr.Blocks(title="Voxtral Real-time Transcription") as demo:
# Store just the session_id string - much more reliable than complex objects
session_state = gr.State(value=None)
# Header
gr.HTML(get_header_html())
# Password input (Replaces API Key input)
with gr.Row():
api_key_input = gr.Textbox(
label="App Password",
placeholder="Enter the password to access this app...",
type="password",
elem_id="api-key-input",
info="This app is private. Please enter the authorized password."
)
# Transcription output
transcription_display = gr.HTML(
value=get_transcription_html("", "ready", "Calibrating..."),
elem_id="transcription-output"
)
# Audio input
audio_input = gr.Audio(
sources=["microphone"],
streaming=True,
type="numpy",
format="wav",
elem_id="audio-input",
label="Microphone Input"
)
# Clear button
clear_btn = gr.Button(
"Clear History",
elem_classes=["clear-btn"]
)
# Info text
gr.HTML('<p class="info-text">To start again - click on Clear History AND refresh your website.</p>')
# Event handlers
clear_btn.click(
clear_history,
inputs=[session_state, api_key_input],
outputs=[transcription_display, audio_input, session_state]
)
audio_input.stop_recording(
stop_session,
inputs=[session_state, api_key_input],
outputs=[transcription_display, session_state]
)
audio_input.stream(
process_audio,
inputs=[audio_input, session_state, api_key_input],
outputs=[transcription_display, session_state],
show_progress="hidden",
concurrency_limit=500,
)
get_event_loop()
demo.queue(default_concurrency_limit=200)
demo.launch(css=CUSTOM_CSS, theme=gr.themes.Base(), ssr_mode=False, max_threads=200) |