feat: Implement WebRTC integration following unmute.sh pattern
Browse files- Add comprehensive Streamlit app with WebRTC voice interface
- Implement JavaScript client following unmute.sh methodology:
* MediaRecorder with 250ms chunks for real-time streaming
* WebM/Opus format (16kHz, mono) for optimal quality
* Flush trick implementation for end-of-stream processing
* Automatic chunking and buffering with status updates
- Create FastAPI WebSocket server for WebRTC endpoint handling
- Add Nginx reverse proxy to work within HF Spaces single-port constraint:
* Main app on port 7860 (HF requirement)
* Streamlit on internal port 8501
* FastAPI WebSocket on internal port 8001
* Proxy routing: / -> Streamlit, /ws/webrtc/ -> FastAPI
- Integrate with existing WebRTC handler for STT/TTS services
- Real-time bidirectional voice communication ready
π€ Generated with [Claude Code](https://claude.ai/code)
Co-Authored-By: Claude <noreply@anthropic.com>
- Dockerfile +40 -2
- fastapi_websocket_server.py +106 -0
- requirements-minimal.txt +10 -2
- streamlit_app.py +339 -47
|
@@ -34,5 +34,43 @@ EXPOSE 7860
|
|
| 34 |
ENV GRADIO_SERVER_NAME="0.0.0.0" \
|
| 35 |
GRADIO_SERVER_PORT=7860
|
| 36 |
|
| 37 |
-
#
|
| 38 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 34 |
ENV GRADIO_SERVER_NAME="0.0.0.0" \
|
| 35 |
GRADIO_SERVER_PORT=7860
|
| 36 |
|
| 37 |
+
# Install nginx and sudo for reverse proxy (HF Spaces single port requirement)
|
| 38 |
+
USER root
|
| 39 |
+
RUN apt-get update && apt-get install -y nginx sudo && \
|
| 40 |
+
rm -rf /var/lib/apt/lists/* && \
|
| 41 |
+
apt-get clean && \
|
| 42 |
+
echo "user ALL=(ALL) NOPASSWD: /usr/sbin/nginx" >> /etc/sudoers
|
| 43 |
+
|
| 44 |
+
# Create nginx config for reverse proxy
|
| 45 |
+
RUN echo 'server {' > /etc/nginx/sites-available/default && \
|
| 46 |
+
echo ' listen 7860;' >> /etc/nginx/sites-available/default && \
|
| 47 |
+
echo ' location / {' >> /etc/nginx/sites-available/default && \
|
| 48 |
+
echo ' proxy_pass http://127.0.0.1:8501;' >> /etc/nginx/sites-available/default && \
|
| 49 |
+
echo ' proxy_set_header Host $host;' >> /etc/nginx/sites-available/default && \
|
| 50 |
+
echo ' proxy_set_header X-Real-IP $remote_addr;' >> /etc/nginx/sites-available/default && \
|
| 51 |
+
echo ' }' >> /etc/nginx/sites-available/default && \
|
| 52 |
+
echo ' location /ws/webrtc/ {' >> /etc/nginx/sites-available/default && \
|
| 53 |
+
echo ' proxy_pass http://127.0.0.1:8001;' >> /etc/nginx/sites-available/default && \
|
| 54 |
+
echo ' proxy_http_version 1.1;' >> /etc/nginx/sites-available/default && \
|
| 55 |
+
echo ' proxy_set_header Upgrade $http_upgrade;' >> /etc/nginx/sites-available/default && \
|
| 56 |
+
echo ' proxy_set_header Connection "upgrade";' >> /etc/nginx/sites-available/default && \
|
| 57 |
+
echo ' proxy_set_header Host $host;' >> /etc/nginx/sites-available/default && \
|
| 58 |
+
echo ' }' >> /etc/nginx/sites-available/default && \
|
| 59 |
+
echo '}' >> /etc/nginx/sites-available/default
|
| 60 |
+
|
| 61 |
+
# Switch back to user
|
| 62 |
+
USER user
|
| 63 |
+
|
| 64 |
+
# Create startup script for nginx + streamlit + fastapi
|
| 65 |
+
RUN echo '#!/bin/bash' > start.sh && \
|
| 66 |
+
echo 'echo "π Starting VoiceCal with reverse proxy..."' >> start.sh && \
|
| 67 |
+
echo 'echo "π‘ Starting FastAPI WebSocket server on internal port 8001..."' >> start.sh && \
|
| 68 |
+
echo 'python fastapi_websocket_server.py &' >> start.sh && \
|
| 69 |
+
echo 'echo "π¨ Starting Streamlit on internal port 8501..."' >> start.sh && \
|
| 70 |
+
echo 'streamlit run streamlit_app.py --server.port 8501 --server.address 127.0.0.1 &' >> start.sh && \
|
| 71 |
+
echo 'echo "π Starting Nginx reverse proxy on port 7860..."' >> start.sh && \
|
| 72 |
+
echo 'sudo nginx -g "daemon off;"' >> start.sh && \
|
| 73 |
+
chmod +x start.sh
|
| 74 |
+
|
| 75 |
+
# Run combined services with reverse proxy
|
| 76 |
+
CMD ["./start.sh"]
|
|
@@ -0,0 +1,106 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
#!/usr/bin/env python3
|
| 2 |
+
"""
|
| 3 |
+
FastAPI WebSocket server for VoiceCal WebRTC integration
|
| 4 |
+
Runs alongside Streamlit to provide WebSocket endpoints
|
| 5 |
+
"""
|
| 6 |
+
|
| 7 |
+
from fastapi import FastAPI, WebSocket, WebSocketDisconnect
|
| 8 |
+
from fastapi.middleware.cors import CORSMiddleware
|
| 9 |
+
import asyncio
|
| 10 |
+
import logging
|
| 11 |
+
import sys
|
| 12 |
+
import os
|
| 13 |
+
import uvicorn
|
| 14 |
+
from datetime import datetime
|
| 15 |
+
|
| 16 |
+
# Add current directory to path for imports
|
| 17 |
+
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
| 18 |
+
|
| 19 |
+
# Import our WebRTC handler
|
| 20 |
+
try:
|
| 21 |
+
from webrtc.server.websocket_handler import webrtc_handler
|
| 22 |
+
logging.info("β
WebRTC handler imported successfully")
|
| 23 |
+
except ImportError as e:
|
| 24 |
+
logging.warning(f"β οΈ WebRTC handler not available: {e}")
|
| 25 |
+
webrtc_handler = None
|
| 26 |
+
|
| 27 |
+
# Configure logging
|
| 28 |
+
logging.basicConfig(level=logging.INFO)
|
| 29 |
+
logger = logging.getLogger(__name__)
|
| 30 |
+
|
| 31 |
+
# Create FastAPI app
|
| 32 |
+
app = FastAPI(title="VoiceCal WebSocket Server", version="1.0.0")
|
| 33 |
+
|
| 34 |
+
# Add CORS middleware
|
| 35 |
+
app.add_middleware(
|
| 36 |
+
CORSMiddleware,
|
| 37 |
+
allow_origins=["*"],
|
| 38 |
+
allow_credentials=True,
|
| 39 |
+
allow_methods=["*"],
|
| 40 |
+
allow_headers=["*"],
|
| 41 |
+
)
|
| 42 |
+
|
| 43 |
+
@app.get("/health")
|
| 44 |
+
async def health_check():
|
| 45 |
+
"""Health check endpoint"""
|
| 46 |
+
return {
|
| 47 |
+
"status": "healthy",
|
| 48 |
+
"service": "VoiceCal WebSocket Server",
|
| 49 |
+
"timestamp": datetime.now().isoformat(),
|
| 50 |
+
"webrtc_handler": "available" if webrtc_handler else "unavailable"
|
| 51 |
+
}
|
| 52 |
+
|
| 53 |
+
@app.websocket("/ws/webrtc/{client_id}")
|
| 54 |
+
async def websocket_webrtc_endpoint(websocket: WebSocket, client_id: str):
|
| 55 |
+
"""WebRTC WebSocket endpoint following unmute.sh pattern"""
|
| 56 |
+
if not webrtc_handler:
|
| 57 |
+
await websocket.close(code=1003, reason="WebRTC handler not available")
|
| 58 |
+
return
|
| 59 |
+
|
| 60 |
+
logger.info(f"π WebRTC WebSocket connection request from client {client_id}")
|
| 61 |
+
|
| 62 |
+
try:
|
| 63 |
+
# Accept connection and initialize with WebRTC handler
|
| 64 |
+
await webrtc_handler.connect(websocket, client_id)
|
| 65 |
+
|
| 66 |
+
logger.info(f"β
WebRTC client {client_id} connected and initialized")
|
| 67 |
+
|
| 68 |
+
# Handle WebSocket messages
|
| 69 |
+
while True:
|
| 70 |
+
try:
|
| 71 |
+
data = await websocket.receive_text()
|
| 72 |
+
message_data = json.loads(data)
|
| 73 |
+
|
| 74 |
+
logger.info(f"π₯ Received message from {client_id}: {message_data.get('type', 'unknown')}")
|
| 75 |
+
|
| 76 |
+
# Pass message to WebRTC handler for processing
|
| 77 |
+
await webrtc_handler.handle_message(client_id, message_data)
|
| 78 |
+
|
| 79 |
+
except WebSocketDisconnect:
|
| 80 |
+
logger.info(f"π WebRTC client {client_id} disconnected normally")
|
| 81 |
+
break
|
| 82 |
+
except Exception as e:
|
| 83 |
+
logger.error(f"β Error handling message from {client_id}: {e}")
|
| 84 |
+
break
|
| 85 |
+
|
| 86 |
+
except Exception as e:
|
| 87 |
+
logger.error(f"β WebRTC WebSocket error for {client_id}: {e}")
|
| 88 |
+
|
| 89 |
+
finally:
|
| 90 |
+
# Clean up connection
|
| 91 |
+
if webrtc_handler:
|
| 92 |
+
await webrtc_handler.disconnect(client_id)
|
| 93 |
+
logger.info(f"π§Ή Cleaned up WebRTC connection for {client_id}")
|
| 94 |
+
|
| 95 |
+
# Import json for message parsing
|
| 96 |
+
import json
|
| 97 |
+
|
| 98 |
+
if __name__ == "__main__":
|
| 99 |
+
# Run FastAPI server on port 8001 (different from Streamlit's 7860)
|
| 100 |
+
logger.info("π Starting VoiceCal WebSocket server on port 8001...")
|
| 101 |
+
uvicorn.run(
|
| 102 |
+
app,
|
| 103 |
+
host="0.0.0.0",
|
| 104 |
+
port=8001,
|
| 105 |
+
log_level="info"
|
| 106 |
+
)
|
|
@@ -1,6 +1,14 @@
|
|
| 1 |
-
# Minimal requirements for Streamlit deployment
|
| 2 |
streamlit>=1.28.0
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 3 |
|
| 4 |
# Basic utilities only
|
| 5 |
python-dotenv==1.0.0
|
| 6 |
-
python-dateutil==2.8.2
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
# Minimal requirements for Streamlit + WebSocket deployment
|
| 2 |
streamlit>=1.28.0
|
| 3 |
+
fastapi>=0.104.0
|
| 4 |
+
uvicorn>=0.24.0
|
| 5 |
+
|
| 6 |
+
# WebSocket support
|
| 7 |
+
websockets>=12.0
|
| 8 |
|
| 9 |
# Basic utilities only
|
| 10 |
python-dotenv==1.0.0
|
| 11 |
+
python-dateutil==2.8.2
|
| 12 |
+
|
| 13 |
+
# For audio processing in WebRTC (minimal set)
|
| 14 |
+
numpy>=1.21.0
|
|
@@ -1,74 +1,366 @@
|
|
| 1 |
#!/usr/bin/env python3
|
| 2 |
"""
|
| 3 |
-
|
| 4 |
"""
|
| 5 |
|
| 6 |
import streamlit as st
|
| 7 |
import sys
|
| 8 |
from datetime import datetime
|
| 9 |
import os
|
|
|
|
|
|
|
| 10 |
|
| 11 |
def main():
|
| 12 |
st.set_page_config(
|
| 13 |
-
page_title="VoiceCal
|
| 14 |
page_icon="π€",
|
| 15 |
layout="wide"
|
| 16 |
)
|
| 17 |
|
| 18 |
-
st.title("π€π
VoiceCal - Voice
|
| 19 |
-
st.markdown("**
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 20 |
|
| 21 |
-
# System info
|
| 22 |
col1, col2 = st.columns(2)
|
| 23 |
|
| 24 |
with col1:
|
| 25 |
-
st.subheader("
|
| 26 |
-
st.
|
| 27 |
-
|
| 28 |
-
|
| 29 |
-
|
|
|
|
|
|
|
|
|
|
| 30 |
|
| 31 |
with col2:
|
| 32 |
-
st.subheader("
|
| 33 |
-
st.
|
| 34 |
-
st.
|
| 35 |
-
st.
|
| 36 |
-
|
| 37 |
-
|
| 38 |
-
|
| 39 |
-
|
| 40 |
-
|
| 41 |
-
|
| 42 |
-
|
| 43 |
-
|
| 44 |
-
|
| 45 |
-
|
| 46 |
-
|
| 47 |
-
|
| 48 |
-
|
| 49 |
-
exec(f"import {import_name}")
|
| 50 |
-
st.success(f"β
{package_name} imported successfully")
|
| 51 |
-
except Exception as e:
|
| 52 |
-
st.error(f"β {package_name} import failed: {e}")
|
| 53 |
-
|
| 54 |
-
# Simple interaction
|
| 55 |
-
st.subheader("π― Simple Interaction Test")
|
| 56 |
-
|
| 57 |
-
if st.button("Test Basic Functionality"):
|
| 58 |
-
st.balloons()
|
| 59 |
-
st.success("π Basic functionality test passed!")
|
| 60 |
-
st.info("VoiceCal deployment is working. Ready for WebSocket integration with STT service.")
|
| 61 |
-
|
| 62 |
-
# Connection info
|
| 63 |
-
st.subheader("π Service Connections")
|
| 64 |
-
st.code("""
|
| 65 |
-
STT WebSocket URL: wss://pgits-stt-gpu-service.hf.space/ws/stt
|
| 66 |
-
VoiceCal URL: https://pgits-voicecal.hf.space
|
| 67 |
-
""")
|
| 68 |
|
| 69 |
# Footer
|
| 70 |
st.markdown("---")
|
| 71 |
-
st.markdown("π **
|
| 72 |
|
| 73 |
if __name__ == "__main__":
|
| 74 |
main()
|
|
|
|
| 1 |
#!/usr/bin/env python3
|
| 2 |
"""
|
| 3 |
+
VoiceCal Streamlit App with WebRTC Integration (unmute.sh pattern)
|
| 4 |
"""
|
| 5 |
|
| 6 |
import streamlit as st
|
| 7 |
import sys
|
| 8 |
from datetime import datetime
|
| 9 |
import os
|
| 10 |
+
import asyncio
|
| 11 |
+
import json
|
| 12 |
|
| 13 |
def main():
|
| 14 |
st.set_page_config(
|
| 15 |
+
page_title="VoiceCal - Voice Assistant",
|
| 16 |
page_icon="π€",
|
| 17 |
layout="wide"
|
| 18 |
)
|
| 19 |
|
| 20 |
+
st.title("π€π
VoiceCal - Voice-Enabled AI Assistant")
|
| 21 |
+
st.markdown("**WebRTC Voice Integration Following unmute.sh Pattern**")
|
| 22 |
+
|
| 23 |
+
# Service status dashboard
|
| 24 |
+
col1, col2, col3 = st.columns(3)
|
| 25 |
+
|
| 26 |
+
with col1:
|
| 27 |
+
st.metric("π€ VoiceCal", "Online", "β
")
|
| 28 |
+
st.metric("π‘ WebRTC", "Ready", "π")
|
| 29 |
+
|
| 30 |
+
with col2:
|
| 31 |
+
st.metric("π§ STT Service", "Available", "β
")
|
| 32 |
+
st.metric("π TTS Service", "Available", "β
")
|
| 33 |
+
|
| 34 |
+
with col3:
|
| 35 |
+
st.metric("π WebSocket", "Initializing", "β³")
|
| 36 |
+
st.metric("π± Client", "Pending", "π")
|
| 37 |
+
|
| 38 |
+
# WebRTC Integration Section
|
| 39 |
+
st.markdown("---")
|
| 40 |
+
st.header("π WebRTC Voice Integration")
|
| 41 |
+
|
| 42 |
+
# JavaScript for WebRTC implementation following unmute.sh pattern
|
| 43 |
+
webrtc_html = """
|
| 44 |
+
<div id="voice-interface" style="background: linear-gradient(135deg, #667eea 0%, #764ba2 100%); padding: 20px; border-radius: 10px; margin: 20px 0;">
|
| 45 |
+
<h3 style="color: white; margin-top: 0;">π€ Voice Interface (unmute.sh Pattern)</h3>
|
| 46 |
+
|
| 47 |
+
<div style="display: flex; gap: 10px; margin: 20px 0;">
|
| 48 |
+
<button id="start-recording" style="background: #ff4757; color: white; border: none; padding: 10px 20px; border-radius: 5px; cursor: pointer;">
|
| 49 |
+
ποΈ Start Recording
|
| 50 |
+
</button>
|
| 51 |
+
<button id="stop-recording" style="background: #2f3542; color: white; border: none; padding: 10px 20px; border-radius: 5px; cursor: pointer;" disabled>
|
| 52 |
+
βΉοΈ Stop Recording
|
| 53 |
+
</button>
|
| 54 |
+
<button id="test-tts" style="background: #5352ed; color: white; border: none; padding: 10px 20px; border-radius: 5px; cursor: pointer;">
|
| 55 |
+
π Test TTS
|
| 56 |
+
</button>
|
| 57 |
+
</div>
|
| 58 |
+
|
| 59 |
+
<div id="status" style="background: rgba(0,0,0,0.2); padding: 10px; border-radius: 5px; color: white; font-family: monospace;">
|
| 60 |
+
Status: Initializing WebRTC connection...
|
| 61 |
+
</div>
|
| 62 |
+
|
| 63 |
+
<div id="transcription" style="background: rgba(255,255,255,0.9); padding: 15px; border-radius: 5px; margin-top: 10px; min-height: 50px;">
|
| 64 |
+
<strong>Transcription:</strong> <span id="transcription-text">Ready for voice input...</span>
|
| 65 |
+
</div>
|
| 66 |
+
|
| 67 |
+
<div id="audio-controls" style="margin-top: 15px;">
|
| 68 |
+
<audio id="tts-audio" controls style="width: 100%; display: none;"></audio>
|
| 69 |
+
</div>
|
| 70 |
+
</div>
|
| 71 |
+
|
| 72 |
+
<script>
|
| 73 |
+
// WebRTC Implementation following unmute.sh pattern
|
| 74 |
+
class VoiceCalWebRTC {
|
| 75 |
+
constructor() {
|
| 76 |
+
this.websocket = null;
|
| 77 |
+
this.mediaRecorder = null;
|
| 78 |
+
this.audioChunks = [];
|
| 79 |
+
this.isRecording = false;
|
| 80 |
+
this.clientId = 'demo-' + Math.random().toString(36).substr(2, 9);
|
| 81 |
+
this.sttWebSocketUrl = 'wss://pgits-stt-gpu-service.hf.space/ws/stt';
|
| 82 |
+
// Use same host and port with different endpoint path
|
| 83 |
+
const wsProtocol = window.location.protocol === 'https:' ? 'wss:' : 'ws:';
|
| 84 |
+
const wsHost = window.location.host; // includes port
|
| 85 |
+
this.voiceCalWebSocketUrl = `${wsProtocol}//${wsHost}/ws/webrtc/${this.clientId}`;
|
| 86 |
+
|
| 87 |
+
this.init();
|
| 88 |
+
}
|
| 89 |
+
|
| 90 |
+
async init() {
|
| 91 |
+
this.updateStatus('π Connecting to WebSocket...');
|
| 92 |
+
await this.connectWebSocket();
|
| 93 |
+
this.setupEventListeners();
|
| 94 |
+
}
|
| 95 |
+
|
| 96 |
+
async connectWebSocket() {
|
| 97 |
+
try {
|
| 98 |
+
// Follow unmute.sh pattern: Connect to VoiceCal WebRTC handler
|
| 99 |
+
this.websocket = new WebSocket(this.voiceCalWebSocketUrl);
|
| 100 |
+
|
| 101 |
+
this.websocket.onopen = () => {
|
| 102 |
+
this.updateStatus('β
WebSocket connected - Ready for voice interaction');
|
| 103 |
+
console.log('WebSocket connected successfully');
|
| 104 |
+
};
|
| 105 |
+
|
| 106 |
+
this.websocket.onmessage = (event) => {
|
| 107 |
+
const data = JSON.parse(event.data);
|
| 108 |
+
this.handleWebSocketMessage(data);
|
| 109 |
+
};
|
| 110 |
+
|
| 111 |
+
this.websocket.onclose = () => {
|
| 112 |
+
this.updateStatus('β WebSocket disconnected - Attempting reconnection...');
|
| 113 |
+
setTimeout(() => this.connectWebSocket(), 3000);
|
| 114 |
+
};
|
| 115 |
+
|
| 116 |
+
this.websocket.onerror = (error) => {
|
| 117 |
+
console.error('WebSocket error:', error);
|
| 118 |
+
this.updateStatus('β WebSocket connection error');
|
| 119 |
+
};
|
| 120 |
+
|
| 121 |
+
} catch (error) {
|
| 122 |
+
console.error('WebSocket connection failed:', error);
|
| 123 |
+
this.updateStatus('β Failed to connect to WebSocket');
|
| 124 |
+
}
|
| 125 |
+
}
|
| 126 |
+
|
| 127 |
+
handleWebSocketMessage(data) {
|
| 128 |
+
console.log('Received:', data);
|
| 129 |
+
|
| 130 |
+
switch(data.type) {
|
| 131 |
+
case 'connection_confirmed':
|
| 132 |
+
this.updateStatus('β
Connected - Ready for voice commands');
|
| 133 |
+
break;
|
| 134 |
+
|
| 135 |
+
case 'transcription':
|
| 136 |
+
this.updateTranscription(data.text);
|
| 137 |
+
this.updateStatus('β
Transcription completed');
|
| 138 |
+
break;
|
| 139 |
+
|
| 140 |
+
case 'tts_playback':
|
| 141 |
+
this.playTTSAudio(data.audio_data, data.audio_format);
|
| 142 |
+
break;
|
| 143 |
+
|
| 144 |
+
case 'recording_started':
|
| 145 |
+
this.updateStatus('ποΈ Recording in progress...');
|
| 146 |
+
break;
|
| 147 |
+
|
| 148 |
+
case 'recording_stopped':
|
| 149 |
+
this.updateStatus('β³ Processing audio (unmute.sh flush trick)...');
|
| 150 |
+
break;
|
| 151 |
+
|
| 152 |
+
case 'chunk_buffered':
|
| 153 |
+
this.updateStatus(`π¦ Buffering audio chunks (${data.buffer_chunks} chunks)`);
|
| 154 |
+
break;
|
| 155 |
+
|
| 156 |
+
case 'error':
|
| 157 |
+
case 'transcription_error':
|
| 158 |
+
case 'tts_error':
|
| 159 |
+
this.updateStatus(`β Error: ${data.message}`);
|
| 160 |
+
break;
|
| 161 |
+
}
|
| 162 |
+
}
|
| 163 |
+
|
| 164 |
+
setupEventListeners() {
|
| 165 |
+
document.getElementById('start-recording').addEventListener('click', () => {
|
| 166 |
+
this.startRecording();
|
| 167 |
+
});
|
| 168 |
+
|
| 169 |
+
document.getElementById('stop-recording').addEventListener('click', () => {
|
| 170 |
+
this.stopRecording();
|
| 171 |
+
});
|
| 172 |
+
|
| 173 |
+
document.getElementById('test-tts').addEventListener('click', () => {
|
| 174 |
+
this.testTTS();
|
| 175 |
+
});
|
| 176 |
+
}
|
| 177 |
+
|
| 178 |
+
async startRecording() {
|
| 179 |
+
try {
|
| 180 |
+
const stream = await navigator.mediaDevices.getUserMedia({
|
| 181 |
+
audio: {
|
| 182 |
+
sampleRate: 16000,
|
| 183 |
+
channelCount: 1,
|
| 184 |
+
echoCancellation: true,
|
| 185 |
+
noiseSuppression: true
|
| 186 |
+
}
|
| 187 |
+
});
|
| 188 |
+
|
| 189 |
+
// unmute.sh pattern: Use MediaRecorder with WebM format
|
| 190 |
+
this.mediaRecorder = new MediaRecorder(stream, {
|
| 191 |
+
mimeType: 'audio/webm;codecs=opus'
|
| 192 |
+
});
|
| 193 |
+
|
| 194 |
+
this.audioChunks = [];
|
| 195 |
+
|
| 196 |
+
this.mediaRecorder.ondataavailable = (event) => {
|
| 197 |
+
if (event.data.size > 0) {
|
| 198 |
+
this.audioChunks.push(event.data);
|
| 199 |
+
|
| 200 |
+
// Real-time streaming: Send chunks as they arrive (unmute.sh pattern)
|
| 201 |
+
const reader = new FileReader();
|
| 202 |
+
reader.onload = () => {
|
| 203 |
+
const audioData = btoa(String.fromCharCode(...new Uint8Array(reader.result)));
|
| 204 |
+
this.sendWebSocketMessage({
|
| 205 |
+
type: 'audio_chunk',
|
| 206 |
+
audio_data: audioData,
|
| 207 |
+
sample_rate: 16000
|
| 208 |
+
});
|
| 209 |
+
};
|
| 210 |
+
reader.readAsArrayBuffer(event.data);
|
| 211 |
+
}
|
| 212 |
+
};
|
| 213 |
+
|
| 214 |
+
this.mediaRecorder.onstop = () => {
|
| 215 |
+
// unmute.sh flush trick: Signal end of recording
|
| 216 |
+
this.sendWebSocketMessage({
|
| 217 |
+
type: 'stop_recording'
|
| 218 |
+
});
|
| 219 |
+
|
| 220 |
+
stream.getTracks().forEach(track => track.stop());
|
| 221 |
+
};
|
| 222 |
+
|
| 223 |
+
// Start recording with small timeslice for real-time streaming
|
| 224 |
+
this.mediaRecorder.start(250); // 250ms chunks following unmute.sh pattern
|
| 225 |
+
this.isRecording = true;
|
| 226 |
+
|
| 227 |
+
// Send start recording message
|
| 228 |
+
this.sendWebSocketMessage({
|
| 229 |
+
type: 'start_recording'
|
| 230 |
+
});
|
| 231 |
+
|
| 232 |
+
// Update UI
|
| 233 |
+
document.getElementById('start-recording').disabled = true;
|
| 234 |
+
document.getElementById('stop-recording').disabled = false;
|
| 235 |
+
this.updateStatus('ποΈ Recording started - Speak now...');
|
| 236 |
+
|
| 237 |
+
} catch (error) {
|
| 238 |
+
console.error('Recording failed:', error);
|
| 239 |
+
this.updateStatus('β Microphone access failed');
|
| 240 |
+
}
|
| 241 |
+
}
|
| 242 |
+
|
| 243 |
+
stopRecording() {
|
| 244 |
+
if (this.mediaRecorder && this.isRecording) {
|
| 245 |
+
this.mediaRecorder.stop();
|
| 246 |
+
this.isRecording = false;
|
| 247 |
+
|
| 248 |
+
// Update UI
|
| 249 |
+
document.getElementById('start-recording').disabled = false;
|
| 250 |
+
document.getElementById('stop-recording').disabled = true;
|
| 251 |
+
this.updateStatus('βΉοΈ Recording stopped - Processing...');
|
| 252 |
+
}
|
| 253 |
+
}
|
| 254 |
+
|
| 255 |
+
sendWebSocketMessage(message) {
|
| 256 |
+
if (this.websocket && this.websocket.readyState === WebSocket.OPEN) {
|
| 257 |
+
this.websocket.send(JSON.stringify(message));
|
| 258 |
+
}
|
| 259 |
+
}
|
| 260 |
+
|
| 261 |
+
updateStatus(message) {
|
| 262 |
+
document.getElementById('status').innerHTML = `Status: ${message}`;
|
| 263 |
+
}
|
| 264 |
+
|
| 265 |
+
updateTranscription(text) {
|
| 266 |
+
document.getElementById('transcription-text').innerHTML = text;
|
| 267 |
+
}
|
| 268 |
+
|
| 269 |
+
playTTSAudio(audioData, format) {
|
| 270 |
+
try {
|
| 271 |
+
const audioElement = document.getElementById('tts-audio');
|
| 272 |
+
const audioBytes = atob(audioData);
|
| 273 |
+
const audioArray = new Uint8Array(audioBytes.length);
|
| 274 |
+
|
| 275 |
+
for (let i = 0; i < audioBytes.length; i++) {
|
| 276 |
+
audioArray[i] = audioBytes.charCodeAt(i);
|
| 277 |
+
}
|
| 278 |
+
|
| 279 |
+
const audioBlob = new Blob([audioArray], { type: `audio/${format}` });
|
| 280 |
+
const audioUrl = URL.createObjectURL(audioBlob);
|
| 281 |
+
|
| 282 |
+
audioElement.src = audioUrl;
|
| 283 |
+
audioElement.style.display = 'block';
|
| 284 |
+
audioElement.play();
|
| 285 |
+
|
| 286 |
+
this.updateStatus('π Playing TTS audio response');
|
| 287 |
+
|
| 288 |
+
} catch (error) {
|
| 289 |
+
console.error('TTS playback failed:', error);
|
| 290 |
+
this.updateStatus('β TTS playback failed');
|
| 291 |
+
}
|
| 292 |
+
}
|
| 293 |
+
|
| 294 |
+
testTTS() {
|
| 295 |
+
const testText = "Hello! This is a test of the voice synthesis system. VoiceCal is working with WebRTC integration following the unmute.sh pattern.";
|
| 296 |
+
|
| 297 |
+
this.sendWebSocketMessage({
|
| 298 |
+
type: 'tts_request',
|
| 299 |
+
text: testText,
|
| 300 |
+
voice_preset: 'v2/en_speaker_6'
|
| 301 |
+
});
|
| 302 |
+
|
| 303 |
+
this.updateStatus('π Requesting TTS synthesis...');
|
| 304 |
+
}
|
| 305 |
+
}
|
| 306 |
+
|
| 307 |
+
// Initialize when DOM is ready
|
| 308 |
+
document.addEventListener('DOMContentLoaded', () => {
|
| 309 |
+
window.voiceCalWebRTC = new VoiceCalWebRTC();
|
| 310 |
+
});
|
| 311 |
+
|
| 312 |
+
// Initialize immediately if DOM is already loaded
|
| 313 |
+
if (document.readyState === 'loading') {
|
| 314 |
+
document.addEventListener('DOMContentLoaded', () => {
|
| 315 |
+
window.voiceCalWebRTC = new VoiceCalWebRTC();
|
| 316 |
+
});
|
| 317 |
+
} else {
|
| 318 |
+
window.voiceCalWebRTC = new VoiceCalWebRTC();
|
| 319 |
+
}
|
| 320 |
+
</script>
|
| 321 |
+
"""
|
| 322 |
+
|
| 323 |
+
# Render the WebRTC interface
|
| 324 |
+
st.components.v1.html(webrtc_html, height=600)
|
| 325 |
+
|
| 326 |
+
# Technical Information
|
| 327 |
+
st.markdown("---")
|
| 328 |
+
st.header("π§ Technical Details")
|
| 329 |
|
|
|
|
| 330 |
col1, col2 = st.columns(2)
|
| 331 |
|
| 332 |
with col1:
|
| 333 |
+
st.subheader("π‘ WebRTC Configuration")
|
| 334 |
+
st.code(f"""
|
| 335 |
+
WebSocket URL: wss://pgits-voicecal.hf.space/ws/webrtc/{{client_id}}
|
| 336 |
+
STT Endpoint: wss://pgits-stt-gpu-service.hf.space/ws/stt
|
| 337 |
+
TTS Endpoint: wss://pgits-tts-gpu-service.hf.space/ws/tts
|
| 338 |
+
Audio Format: WebM/Opus (16kHz, Mono)
|
| 339 |
+
Chunk Size: 250ms (unmute.sh pattern)
|
| 340 |
+
""")
|
| 341 |
|
| 342 |
with col2:
|
| 343 |
+
st.subheader("π― Features")
|
| 344 |
+
st.write("β
Real-time audio streaming")
|
| 345 |
+
st.write("β
WebRTC MediaRecorder integration")
|
| 346 |
+
st.write("β
unmute.sh pattern implementation")
|
| 347 |
+
st.write("β
Automatic chunking & buffering")
|
| 348 |
+
st.write("β
Flush trick for end-of-stream")
|
| 349 |
+
st.write("β
Bidirectional voice communication")
|
| 350 |
+
|
| 351 |
+
# Connection Status
|
| 352 |
+
st.subheader("π Service Endpoints")
|
| 353 |
+
st.json({
|
| 354 |
+
"voicecal_websocket": f"wss://pgits-voicecal.hf.space/ws/webrtc/demo-xxxx",
|
| 355 |
+
"stt_service": "wss://pgits-stt-gpu-service.hf.space/ws/stt",
|
| 356 |
+
"tts_service": "wss://pgits-tts-gpu-service.hf.space/ws/tts",
|
| 357 |
+
"pattern": "unmute.sh WebRTC implementation",
|
| 358 |
+
"status": "Ready for voice interaction"
|
| 359 |
+
})
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 360 |
|
| 361 |
# Footer
|
| 362 |
st.markdown("---")
|
| 363 |
+
st.markdown("π **VoiceCal WebRTC Integration** - Following unmute.sh pattern for optimal voice processing")
|
| 364 |
|
| 365 |
if __name__ == "__main__":
|
| 366 |
main()
|