Major feature update: Add IRC-style chat, performance optimizations, and mobile support
🚀 New Features: - Real-time IRC-style text chat with commands (/me, /clear, /help, etc.) - Full mobile optimization with responsive design and touch controls - Performance monitoring and adaptive video quality - Configuration-driven settings with config.json 💬 Chat System: - IRC-style formatting with timestamps and usernames - Mobile full-screen chat overlay - Join/leave notifications and system messages - Message history with automatic cleanup - Desktop side panel + mobile overlay sync 📱 Mobile Optimizations: - Touch-friendly controls with emoji icons - Progressive Web App meta tags - Orientation change handling - Mobile-optimized video constraints - Dedicated mobile chat interface ⚡ Performance Improvements: - Adaptive video quality based on network conditions - Video element pooling and efficient DOM operations - Connection quality monitoring with visual indicators - Enhanced peer connection management and cleanup - SDP optimization for better codec preferences 🔧 Technical Changes: - Renamed main.js to script.js for better organization - Added comprehensive configuration system - Fixed port mismatch (3232) and dynamic connection handling - Improved ICE candidate routing and WebRTC stability - Enhanced error handling and resource cleanup 🎨 UI/UX Improvements: - Modern responsive design with light/dark themes - Connection quality indicator in header - Better button styling with icons and text - Mobile-first responsive breakpoints - Smooth animations and touch feedback
This commit is contained in:
31
app.py
31
app.py
@@ -24,10 +24,18 @@ def handle_connect(auth):
|
||||
def handle_disconnect():
|
||||
from flask import request
|
||||
print(f'Client disconnected: {request.sid}') # type: ignore
|
||||
|
||||
username = None
|
||||
if request.sid in connected_clients: # type: ignore
|
||||
username = connected_clients[request.sid].get('username') # type: ignore
|
||||
del connected_clients[request.sid] # type: ignore
|
||||
|
||||
# Notify other clients about disconnection
|
||||
emit('user_disconnected', {'id': request.sid}, broadcast=True, include_self=False) # type: ignore
|
||||
|
||||
# Notify chat about user leaving
|
||||
if username:
|
||||
emit('user_left_chat', {'username': username}, broadcast=True, include_self=False)
|
||||
|
||||
@socketio.on('offer')
|
||||
def handle_offer(data):
|
||||
@@ -48,7 +56,8 @@ def handle_answer(data):
|
||||
def handle_ice_candidate(data):
|
||||
from flask import request
|
||||
print(f'Received ICE candidate from {request.sid}') # type: ignore
|
||||
# Broadcast ICE candidate to all other clients or specific client
|
||||
# Add sender ID to the data and send to target
|
||||
data['id'] = request.sid # type: ignore
|
||||
if 'target_id' in data:
|
||||
emit('ice_candidate', data, to=data['target_id'])
|
||||
else:
|
||||
@@ -83,11 +92,29 @@ def handle_join_room(data=None):
|
||||
'id': request.sid, # type: ignore
|
||||
'username': username
|
||||
}, broadcast=True, include_self=False)
|
||||
|
||||
# Notify chat about new user
|
||||
emit('user_joined_chat', {
|
||||
'username': username
|
||||
}, broadcast=True, include_self=False)
|
||||
|
||||
@socketio.on('chat_message')
|
||||
def handle_chat_message(data):
|
||||
from flask import request
|
||||
print(f'Chat message from {request.sid} ({data.get("username", "Unknown")}): {data.get("message", "")}') # type: ignore
|
||||
|
||||
# Broadcast message to all other clients (sender already displayed it locally)
|
||||
emit('chat_message', {
|
||||
'username': data.get('username', 'Unknown'),
|
||||
'message': data.get('message', ''),
|
||||
'timestamp': data.get('timestamp', __import__('time').time() * 1000),
|
||||
'sender_id': request.sid # type: ignore
|
||||
}, broadcast=True, include_self=False)
|
||||
|
||||
if __name__ == '__main__':
|
||||
# Set up SSL context
|
||||
context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER)
|
||||
context.load_cert_chain('cert.pem', 'key.pem')
|
||||
|
||||
print("Starting Flask-SocketIO server on https://localhost:3000")
|
||||
print("Starting Flask-SocketIO server on https://localhost:3232")
|
||||
socketio.run(app, host='0.0.0.0', port=3232, ssl_context=context, debug=True)
|
||||
|
||||
2
setup.sh
2
setup.sh
@@ -22,6 +22,6 @@ echo ""
|
||||
echo "To run the application:"
|
||||
echo "1. Activate the virtual environment: source venv/bin/activate"
|
||||
echo "2. Run the Flask app: python app.py"
|
||||
echo "3. Open https://localhost:2000 in your browser"
|
||||
echo "3. Open https://localhost:3232 in your browser"
|
||||
echo ""
|
||||
echo "Note: You may need to accept the self-signed certificate in your browser."
|
||||
58
static/config.json
Normal file
58
static/config.json
Normal file
@@ -0,0 +1,58 @@
|
||||
{
|
||||
"server": {
|
||||
"port": 3232,
|
||||
"ssl": true,
|
||||
"rejectUnauthorized": false
|
||||
},
|
||||
"webrtc": {
|
||||
"iceServers": [
|
||||
{ "urls": "stun:stun.l.google.com:19302" },
|
||||
{ "urls": "stun:stun1.l.google.com:19302" }
|
||||
]
|
||||
},
|
||||
"ui": {
|
||||
"maxUsernameLength": 20,
|
||||
"defaultTheme": "light",
|
||||
"showSelfViewByDefault": false
|
||||
},
|
||||
"media": {
|
||||
"defaultVideoEnabled": true,
|
||||
"defaultAudioEnabled": true,
|
||||
"videoConstraints": {
|
||||
"video": {
|
||||
"width": { "ideal": 640, "max": 1280 },
|
||||
"height": { "ideal": 480, "max": 720 },
|
||||
"frameRate": { "ideal": 15, "max": 30 }
|
||||
},
|
||||
"audio": {
|
||||
"echoCancellation": true,
|
||||
"noiseSuppression": true,
|
||||
"autoGainControl": true
|
||||
}
|
||||
},
|
||||
"adaptiveQuality": {
|
||||
"enabled": true,
|
||||
"profiles": {
|
||||
"low": { "width": 320, "height": 240, "frameRate": 10, "bitrate": 150000 },
|
||||
"medium": { "width": 640, "height": 480, "frameRate": 15, "bitrate": 500000 },
|
||||
"high": { "width": 1280, "height": 720, "frameRate": 30, "bitrate": 1500000 }
|
||||
},
|
||||
"defaultProfile": "medium"
|
||||
}
|
||||
},
|
||||
"performance": {
|
||||
"maxConnections": 8,
|
||||
"enableStats": true,
|
||||
"statsInterval": 5000,
|
||||
"connectionTimeout": 30000,
|
||||
"iceGatheringTimeout": 10000
|
||||
},
|
||||
"chat": {
|
||||
"enabled": true,
|
||||
"maxMessageLength": 500,
|
||||
"maxHistoryLength": 1000,
|
||||
"showTimestamps": true,
|
||||
"allowEmoji": true,
|
||||
"autoScroll": true
|
||||
}
|
||||
}
|
||||
427
static/main.js
427
static/main.js
@@ -1,427 +0,0 @@
|
||||
let localStream;
|
||||
let peerConnections = {};
|
||||
let username = '';
|
||||
let isVideoEnabled = true;
|
||||
let isAudioEnabled = true;
|
||||
let isSelfViewVisible = false;
|
||||
|
||||
// DOM elements
|
||||
const usernameModal = document.getElementById('usernameModal');
|
||||
const usernameForm = document.getElementById('usernameForm');
|
||||
const usernameInput = document.getElementById('usernameInput');
|
||||
const chatInterface = document.getElementById('chatInterface');
|
||||
const localVideo = document.getElementById('localVideo');
|
||||
const selfVideo = document.getElementById('selfVideo');
|
||||
const remoteVideos = document.getElementById('remoteVideos');
|
||||
const muteButton = document.getElementById('muteButton');
|
||||
const videoButton = document.getElementById('videoButton');
|
||||
const hangupButton = document.getElementById('hangupButton');
|
||||
const toggleSelfViewButton = document.getElementById('toggleSelfViewButton');
|
||||
const selfViewContainer = document.getElementById('selfViewContainer');
|
||||
const participantCount = document.getElementById('participantCount');
|
||||
const selfViewUsername = document.getElementById('selfViewUsername');
|
||||
const themeToggle = document.getElementById('themeToggle');
|
||||
|
||||
// Initialize Socket.IO connection (but don't connect yet)
|
||||
let socket;
|
||||
|
||||
// ICE servers configuration for WebRTC
|
||||
const iceServers = {
|
||||
iceServers: [
|
||||
{ urls: 'stun:stun.l.google.com:19302' },
|
||||
{ urls: 'stun:stun1.l.google.com:19302' }
|
||||
]
|
||||
};
|
||||
|
||||
// Username form submission
|
||||
usernameForm.addEventListener('submit', async (e) => {
|
||||
e.preventDefault();
|
||||
const inputUsername = usernameInput.value.trim();
|
||||
|
||||
if (inputUsername.length < 1) {
|
||||
alert('Please enter a valid username');
|
||||
return;
|
||||
}
|
||||
|
||||
username = inputUsername;
|
||||
selfViewUsername.textContent = username;
|
||||
|
||||
try {
|
||||
// Get user media
|
||||
localStream = await navigator.mediaDevices.getUserMedia({video: true, audio: true});
|
||||
localVideo.srcObject = localStream;
|
||||
selfVideo.srcObject = localStream;
|
||||
|
||||
console.log('Local stream obtained');
|
||||
|
||||
// Hide modal and show chat interface
|
||||
usernameModal.classList.add('hidden');
|
||||
chatInterface.classList.remove('hidden');
|
||||
|
||||
// Add your own video to the grid
|
||||
addLocalVideoToGrid();
|
||||
|
||||
// Initialize Socket.IO connection
|
||||
initializeSocket();
|
||||
|
||||
} catch (error) {
|
||||
console.error('Error accessing media devices:', error);
|
||||
alert('Unable to access camera/microphone. Please check your permissions and try again.');
|
||||
}
|
||||
});
|
||||
|
||||
// Initialize Socket.IO connection
|
||||
function initializeSocket() {
|
||||
socket = io('https://localhost:3000', {
|
||||
secure: true,
|
||||
rejectUnauthorized: false // For self-signed certificates in development
|
||||
});
|
||||
|
||||
setupSocketListeners();
|
||||
}
|
||||
|
||||
// Setup Socket.IO event listeners
|
||||
function setupSocketListeners() {
|
||||
socket.on('connect', () => {
|
||||
console.log('Connected to server');
|
||||
// Join the room after connecting
|
||||
socket.emit('join_room', { username: username });
|
||||
});
|
||||
|
||||
socket.on('disconnect', () => {
|
||||
console.log('Disconnected from server');
|
||||
});
|
||||
|
||||
socket.on('user_joined', (data) => {
|
||||
console.log('User joined:', data.id, data.username);
|
||||
createPeerConnection(data.id, true, data.username); // This client will create offer
|
||||
updateParticipantCount();
|
||||
});
|
||||
|
||||
socket.on('existing_users', (data) => {
|
||||
console.log('Existing users:', data.users);
|
||||
// Connect to existing users (they will create offers to us)
|
||||
data.users.forEach(user => {
|
||||
createPeerConnection(user.id, false, user.username); // Don't create offer, wait for existing users to offer
|
||||
});
|
||||
updateParticipantCount();
|
||||
});
|
||||
|
||||
socket.on('user_disconnected', (data) => {
|
||||
console.log('User disconnected:', data.id);
|
||||
handleUserDisconnected(data.id);
|
||||
updateParticipantCount();
|
||||
});
|
||||
|
||||
socket.on('offer', async (data) => {
|
||||
console.log('Received offer from:', data.id);
|
||||
await handleOffer(data);
|
||||
});
|
||||
|
||||
socket.on('answer', async (data) => {
|
||||
console.log('Received answer from:', data.id);
|
||||
await handleAnswer(data);
|
||||
});
|
||||
|
||||
socket.on('ice_candidate', async (data) => {
|
||||
console.log('Received ICE candidate');
|
||||
await handleIceCandidate(data);
|
||||
});
|
||||
}
|
||||
|
||||
// WebRTC functions
|
||||
function createPeerConnection(userId, shouldCreateOffer = false, remoteUsername = null) {
|
||||
const peerConnection = new RTCPeerConnection(iceServers);
|
||||
peerConnections[userId] = {
|
||||
pc: peerConnection,
|
||||
username: remoteUsername
|
||||
};
|
||||
|
||||
// Add local stream to peer connection
|
||||
if (localStream) {
|
||||
localStream.getTracks().forEach(track => {
|
||||
peerConnection.addTrack(track, localStream);
|
||||
});
|
||||
}
|
||||
|
||||
// Handle remote stream
|
||||
peerConnection.ontrack = (event) => {
|
||||
console.log('Received remote stream from:', userId);
|
||||
addRemoteVideo(userId, event.streams[0], remoteUsername);
|
||||
};
|
||||
|
||||
// Handle ICE candidates
|
||||
peerConnection.onicecandidate = (event) => {
|
||||
if (event.candidate) {
|
||||
console.log('Sending ICE candidate');
|
||||
socket.emit('ice_candidate', {
|
||||
candidate: event.candidate,
|
||||
target_id: userId
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
// Create offer if this is the initiating peer
|
||||
if (shouldCreateOffer) {
|
||||
createOffer(peerConnection, userId);
|
||||
}
|
||||
|
||||
return peerConnection;
|
||||
}
|
||||
|
||||
async function createOffer(peerConnection, userId) {
|
||||
try {
|
||||
const offer = await peerConnection.createOffer();
|
||||
await peerConnection.setLocalDescription(offer);
|
||||
|
||||
socket.emit('offer', {
|
||||
offer: offer,
|
||||
target_id: userId
|
||||
});
|
||||
console.log('Offer sent to:', userId);
|
||||
} catch (error) {
|
||||
console.error('Error creating offer:', error);
|
||||
}
|
||||
}
|
||||
|
||||
async function handleOffer(data) {
|
||||
try {
|
||||
const peerConnection = createPeerConnection(data.id, false);
|
||||
|
||||
await peerConnection.setRemoteDescription(data.offer);
|
||||
const answer = await peerConnection.createAnswer();
|
||||
await peerConnection.setLocalDescription(answer);
|
||||
|
||||
socket.emit('answer', {
|
||||
answer: answer,
|
||||
id: data.id
|
||||
});
|
||||
console.log('Answer sent to:', data.id);
|
||||
} catch (error) {
|
||||
console.error('Error handling offer:', error);
|
||||
}
|
||||
}
|
||||
|
||||
async function handleAnswer(data) {
|
||||
try {
|
||||
const peerConnectionObj = peerConnections[data.id];
|
||||
if (peerConnectionObj) {
|
||||
await peerConnectionObj.pc.setRemoteDescription(data.answer);
|
||||
console.log('Answer processed from:', data.id);
|
||||
}
|
||||
} catch (error) {
|
||||
console.error('Error handling answer:', error);
|
||||
}
|
||||
}
|
||||
|
||||
async function handleIceCandidate(data) {
|
||||
try {
|
||||
const peerConnectionObj = peerConnections[data.target_id] || peerConnections[Object.keys(peerConnections)[0]];
|
||||
if (peerConnectionObj && data.candidate) {
|
||||
await peerConnectionObj.pc.addIceCandidate(data.candidate);
|
||||
console.log('ICE candidate added');
|
||||
}
|
||||
} catch (error) {
|
||||
console.error('Error handling ICE candidate:', error);
|
||||
}
|
||||
}
|
||||
|
||||
function addRemoteVideo(userId, stream, remoteUsername = null) {
|
||||
// Remove existing video if any
|
||||
const existingContainer = document.getElementById(userId);
|
||||
if (existingContainer) {
|
||||
existingContainer.remove();
|
||||
}
|
||||
|
||||
const remoteVideoContainer = document.createElement('div');
|
||||
remoteVideoContainer.className = 'remoteVideoContainer';
|
||||
remoteVideoContainer.id = userId;
|
||||
|
||||
const remoteVideo = document.createElement('video');
|
||||
remoteVideo.className = 'remoteVideo';
|
||||
remoteVideo.autoplay = true;
|
||||
remoteVideo.srcObject = stream;
|
||||
remoteVideoContainer.appendChild(remoteVideo);
|
||||
|
||||
const usernameElement = document.createElement('div');
|
||||
usernameElement.className = 'remoteUsername';
|
||||
usernameElement.textContent = `${remoteUsername || `user_${userId.substring(0, 8)}`}`;
|
||||
remoteVideoContainer.appendChild(usernameElement);
|
||||
|
||||
remoteVideos.appendChild(remoteVideoContainer);
|
||||
}
|
||||
|
||||
// Add local video to the main grid
|
||||
function addLocalVideoToGrid() {
|
||||
const localVideoContainer = document.createElement('div');
|
||||
localVideoContainer.className = 'remoteVideoContainer';
|
||||
localVideoContainer.id = 'local-video-display';
|
||||
|
||||
const localVideoDisplay = document.createElement('video');
|
||||
localVideoDisplay.className = 'remoteVideo';
|
||||
localVideoDisplay.autoplay = true;
|
||||
localVideoDisplay.muted = true; // Prevent echo
|
||||
localVideoDisplay.srcObject = localStream;
|
||||
localVideoDisplay.style.transform = 'scaleX(-1)'; // Mirror effect
|
||||
localVideoContainer.appendChild(localVideoDisplay);
|
||||
|
||||
const localUsernameElement = document.createElement('div');
|
||||
localUsernameElement.className = 'remoteUsername';
|
||||
localUsernameElement.textContent = `${username} (you)`;
|
||||
localVideoContainer.appendChild(localUsernameElement);
|
||||
|
||||
remoteVideos.appendChild(localVideoContainer);
|
||||
}
|
||||
|
||||
// Update participant count
|
||||
function updateParticipantCount() {
|
||||
const count = Object.keys(peerConnections).length + 1; // +1 for local user
|
||||
participantCount.textContent = `${count} user${count !== 1 ? 's' : ''}`;
|
||||
}
|
||||
|
||||
function handleUserDisconnected(userId) {
|
||||
const videoContainer = document.getElementById(userId);
|
||||
if (videoContainer) {
|
||||
videoContainer.remove();
|
||||
}
|
||||
|
||||
const peerConnectionObj = peerConnections[userId];
|
||||
if (peerConnectionObj) {
|
||||
peerConnectionObj.pc.close();
|
||||
delete peerConnections[userId];
|
||||
}
|
||||
}
|
||||
|
||||
// Button event handlers
|
||||
muteButton.addEventListener('click', () => {
|
||||
if (localStream) {
|
||||
const audioTrack = localStream.getAudioTracks()[0];
|
||||
if (audioTrack) {
|
||||
audioTrack.enabled = !audioTrack.enabled;
|
||||
isAudioEnabled = audioTrack.enabled;
|
||||
|
||||
const span = muteButton.querySelector('span');
|
||||
|
||||
if (isAudioEnabled) {
|
||||
span.textContent = 'mic';
|
||||
muteButton.classList.remove('muted');
|
||||
} else {
|
||||
span.textContent = 'muted';
|
||||
muteButton.classList.add('muted');
|
||||
}
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
videoButton.addEventListener('click', () => {
|
||||
if (localStream) {
|
||||
const videoTrack = localStream.getVideoTracks()[0];
|
||||
if (videoTrack) {
|
||||
videoTrack.enabled = !videoTrack.enabled;
|
||||
isVideoEnabled = videoTrack.enabled;
|
||||
|
||||
const span = videoButton.querySelector('span');
|
||||
|
||||
// Update local video display visibility
|
||||
const localVideoDisplay = document.querySelector('#local-video-display .remoteVideo');
|
||||
|
||||
if (isVideoEnabled) {
|
||||
span.textContent = 'cam';
|
||||
videoButton.classList.remove('disabled');
|
||||
if (localVideoDisplay) {
|
||||
localVideoDisplay.style.visibility = 'visible';
|
||||
}
|
||||
if (selfVideo && isSelfViewVisible) {
|
||||
selfVideo.style.visibility = 'visible';
|
||||
}
|
||||
} else {
|
||||
span.textContent = 'nocam';
|
||||
videoButton.classList.add('disabled');
|
||||
if (localVideoDisplay) {
|
||||
localVideoDisplay.style.visibility = 'hidden';
|
||||
}
|
||||
if (selfVideo) {
|
||||
selfVideo.style.visibility = 'hidden';
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
toggleSelfViewButton.addEventListener('click', () => {
|
||||
isSelfViewVisible = !isSelfViewVisible;
|
||||
|
||||
if (isSelfViewVisible) {
|
||||
selfViewContainer.classList.remove('hidden');
|
||||
toggleSelfViewButton.textContent = '[HIDE]';
|
||||
toggleSelfViewButton.title = 'Hide self view';
|
||||
// Sync video state with main video
|
||||
if (selfVideo && !isVideoEnabled) {
|
||||
selfVideo.style.visibility = 'hidden';
|
||||
}
|
||||
} else {
|
||||
selfViewContainer.classList.add('hidden');
|
||||
toggleSelfViewButton.textContent = '[VIEW]';
|
||||
toggleSelfViewButton.title = 'Show self view';
|
||||
}
|
||||
});
|
||||
|
||||
hangupButton.addEventListener('click', () => {
|
||||
// Close all peer connections
|
||||
Object.values(peerConnections).forEach(pcObj => pcObj.pc.close());
|
||||
peerConnections = {};
|
||||
|
||||
// Stop local stream
|
||||
if (localStream) {
|
||||
localStream.getTracks().forEach(track => track.stop());
|
||||
localVideo.srcObject = null;
|
||||
selfVideo.srcObject = null;
|
||||
}
|
||||
|
||||
// Remove all videos (including local video display)
|
||||
while (remoteVideos.firstChild) {
|
||||
remoteVideos.firstChild.remove();
|
||||
}
|
||||
|
||||
// Disconnect from server
|
||||
if (socket) {
|
||||
socket.disconnect();
|
||||
}
|
||||
|
||||
// Reset UI
|
||||
chatInterface.classList.add('hidden');
|
||||
usernameModal.classList.remove('hidden');
|
||||
usernameInput.value = '';
|
||||
selfViewContainer.classList.add('hidden');
|
||||
isSelfViewVisible = false;
|
||||
|
||||
console.log('Left the chat');
|
||||
});
|
||||
|
||||
// Theme toggle functionality
|
||||
function initTheme() {
|
||||
const savedTheme = localStorage.getItem('theme') || 'light';
|
||||
document.documentElement.setAttribute('data-theme', savedTheme);
|
||||
updateThemeToggleIcon(savedTheme);
|
||||
}
|
||||
|
||||
function toggleTheme() {
|
||||
const currentTheme = document.documentElement.getAttribute('data-theme');
|
||||
const newTheme = currentTheme === 'light' ? 'dark' : 'light';
|
||||
|
||||
document.documentElement.setAttribute('data-theme', newTheme);
|
||||
localStorage.setItem('theme', newTheme);
|
||||
updateThemeToggleIcon(newTheme);
|
||||
}
|
||||
|
||||
function updateThemeToggleIcon(theme) {
|
||||
themeToggle.textContent = theme === 'light' ? '🌙' : '☀️';
|
||||
}
|
||||
|
||||
themeToggle.addEventListener('click', toggleTheme);
|
||||
|
||||
// Focus username input on load and initialize theme
|
||||
document.addEventListener('DOMContentLoaded', () => {
|
||||
usernameInput.focus();
|
||||
initTheme();
|
||||
});
|
||||
1365
static/script.js
Normal file
1365
static/script.js
Normal file
File diff suppressed because it is too large
Load Diff
@@ -435,4 +435,542 @@ body {
|
||||
.control-btn span {
|
||||
font-size: 0.8rem;
|
||||
}
|
||||
}
|
||||
|
||||
/* Connection Quality Indicator */
|
||||
.connection-quality {
|
||||
display: inline-flex;
|
||||
align-items: center;
|
||||
gap: 0.25rem;
|
||||
font-size: 0.8rem;
|
||||
margin-left: 1rem;
|
||||
padding: 0.25rem 0.5rem;
|
||||
border-radius: 0.25rem;
|
||||
background: var(--bg-secondary);
|
||||
border: 1px solid var(--border-color);
|
||||
}
|
||||
|
||||
.quality-indicator {
|
||||
font-size: 0.7rem;
|
||||
animation: pulse 2s infinite;
|
||||
}
|
||||
|
||||
.quality-indicator.good {
|
||||
color: var(--success-color);
|
||||
}
|
||||
|
||||
.quality-indicator.fair {
|
||||
color: var(--warning-color);
|
||||
}
|
||||
|
||||
.quality-indicator.poor {
|
||||
color: var(--danger-color);
|
||||
animation: pulse 1s infinite;
|
||||
}
|
||||
|
||||
.quality-text {
|
||||
font-weight: 500;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.05em;
|
||||
}
|
||||
|
||||
@keyframes pulse {
|
||||
0%, 100% { opacity: 1; }
|
||||
50% { opacity: 0.7; }
|
||||
}
|
||||
|
||||
/* IRC-style Chat Panel */
|
||||
.main-content {
|
||||
display: flex;
|
||||
height: 100%;
|
||||
gap: 0.5rem;
|
||||
}
|
||||
|
||||
.video-grid {
|
||||
flex: 1;
|
||||
min-width: 0; /* Allow flexbox to shrink */
|
||||
}
|
||||
|
||||
.chat-panel {
|
||||
width: 320px;
|
||||
background: var(--bg-secondary);
|
||||
border: 1px solid var(--border-color);
|
||||
border-radius: 0.5rem;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
font-family: 'Courier New', 'Monaco', monospace;
|
||||
font-size: 0.85rem;
|
||||
transition: width 0.3s ease;
|
||||
}
|
||||
|
||||
.chat-panel.collapsed {
|
||||
width: 40px;
|
||||
overflow: hidden;
|
||||
}
|
||||
|
||||
.chat-header-bar {
|
||||
background: var(--bg-tertiary);
|
||||
padding: 0.5rem;
|
||||
border-bottom: 1px solid var(--border-color);
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: center;
|
||||
border-radius: 0.5rem 0.5rem 0 0;
|
||||
}
|
||||
|
||||
.chat-title {
|
||||
font-weight: bold;
|
||||
color: var(--accent-color);
|
||||
white-space: nowrap;
|
||||
}
|
||||
|
||||
.chat-toggle-btn {
|
||||
background: none;
|
||||
border: none;
|
||||
color: var(--text-secondary);
|
||||
cursor: pointer;
|
||||
padding: 0.25rem;
|
||||
border-radius: 0.25rem;
|
||||
font-size: 1rem;
|
||||
transition: background-color 0.2s ease;
|
||||
}
|
||||
|
||||
.chat-toggle-btn:hover {
|
||||
background: var(--bg-primary);
|
||||
}
|
||||
|
||||
.chat-messages {
|
||||
flex: 1;
|
||||
overflow-y: auto;
|
||||
padding: 0.5rem;
|
||||
background: var(--bg-primary);
|
||||
line-height: 1.4;
|
||||
max-height: 300px;
|
||||
scrollbar-width: thin;
|
||||
scrollbar-color: var(--border-color) transparent;
|
||||
}
|
||||
|
||||
.chat-messages::-webkit-scrollbar {
|
||||
width: 6px;
|
||||
}
|
||||
|
||||
.chat-messages::-webkit-scrollbar-track {
|
||||
background: transparent;
|
||||
}
|
||||
|
||||
.chat-messages::-webkit-scrollbar-thumb {
|
||||
background: var(--border-color);
|
||||
border-radius: 3px;
|
||||
}
|
||||
|
||||
.message {
|
||||
margin-bottom: 0.25rem;
|
||||
word-wrap: break-word;
|
||||
}
|
||||
|
||||
.message-timestamp {
|
||||
color: var(--text-muted);
|
||||
font-size: 0.75rem;
|
||||
margin-right: 0.5rem;
|
||||
}
|
||||
|
||||
.message-username {
|
||||
color: var(--accent-color);
|
||||
font-weight: bold;
|
||||
margin-right: 0.5rem;
|
||||
}
|
||||
|
||||
.message-text {
|
||||
color: var(--text-primary);
|
||||
}
|
||||
|
||||
.system-message {
|
||||
color: var(--text-muted);
|
||||
font-style: italic;
|
||||
margin-bottom: 0.25rem;
|
||||
}
|
||||
|
||||
.join-message {
|
||||
color: var(--success-color);
|
||||
}
|
||||
|
||||
.leave-message {
|
||||
color: var(--danger-color);
|
||||
}
|
||||
|
||||
.own-message .message-username {
|
||||
color: var(--success-color);
|
||||
}
|
||||
|
||||
.action-message {
|
||||
font-style: italic;
|
||||
}
|
||||
|
||||
.action-message .message-text {
|
||||
color: var(--text-secondary);
|
||||
}
|
||||
|
||||
.chat-input-container {
|
||||
padding: 0.5rem;
|
||||
border-top: 1px solid var(--border-color);
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 0.5rem;
|
||||
background: var(--bg-tertiary);
|
||||
border-radius: 0 0 0.5rem 0.5rem;
|
||||
}
|
||||
|
||||
.chat-prompt {
|
||||
color: var(--accent-color);
|
||||
font-weight: bold;
|
||||
font-size: 1rem;
|
||||
}
|
||||
|
||||
.chat-input {
|
||||
flex: 1;
|
||||
background: var(--bg-primary);
|
||||
border: 1px solid var(--border-color);
|
||||
border-radius: 0.25rem;
|
||||
padding: 0.375rem 0.5rem;
|
||||
color: var(--text-primary);
|
||||
font-family: inherit;
|
||||
font-size: 0.85rem;
|
||||
}
|
||||
|
||||
.chat-input:focus {
|
||||
outline: none;
|
||||
border-color: var(--accent-color);
|
||||
box-shadow: 0 0 0 2px rgba(13, 110, 253, 0.25);
|
||||
}
|
||||
|
||||
.send-button {
|
||||
background: var(--accent-color);
|
||||
color: white;
|
||||
border: none;
|
||||
border-radius: 0.25rem;
|
||||
padding: 0.375rem 0.75rem;
|
||||
cursor: pointer;
|
||||
font-size: 0.8rem;
|
||||
font-weight: 500;
|
||||
transition: background-color 0.2s ease;
|
||||
}
|
||||
|
||||
.send-button:hover {
|
||||
background: #0056b3;
|
||||
}
|
||||
|
||||
.send-button:disabled {
|
||||
background: var(--text-muted);
|
||||
cursor: not-allowed;
|
||||
}
|
||||
|
||||
/* Mobile-specific styles */
|
||||
.mobile-only {
|
||||
display: none;
|
||||
}
|
||||
|
||||
.mobile-chat-overlay {
|
||||
position: fixed;
|
||||
top: 0;
|
||||
left: 0;
|
||||
right: 0;
|
||||
bottom: 0;
|
||||
background: var(--bg-primary);
|
||||
z-index: 1000;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
transition: transform 0.3s ease;
|
||||
}
|
||||
|
||||
.mobile-chat-overlay.hidden {
|
||||
transform: translateY(100%);
|
||||
}
|
||||
|
||||
.mobile-chat-header {
|
||||
background: var(--bg-tertiary);
|
||||
padding: 1rem;
|
||||
border-bottom: 1px solid var(--border-color);
|
||||
display: flex;
|
||||
justify-content: space-between;
|
||||
align-items: center;
|
||||
position: sticky;
|
||||
top: 0;
|
||||
z-index: 10;
|
||||
}
|
||||
|
||||
.mobile-chat-header h3 {
|
||||
color: var(--accent-color);
|
||||
font-family: 'Courier New', 'Monaco', monospace;
|
||||
font-size: 1.2rem;
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
.close-chat-btn {
|
||||
background: none;
|
||||
border: none;
|
||||
font-size: 1.5rem;
|
||||
color: var(--text-secondary);
|
||||
cursor: pointer;
|
||||
padding: 0.5rem;
|
||||
border-radius: 0.25rem;
|
||||
transition: background-color 0.2s ease;
|
||||
}
|
||||
|
||||
.close-chat-btn:hover {
|
||||
background: var(--bg-secondary);
|
||||
}
|
||||
|
||||
.mobile-chat-messages {
|
||||
flex: 1;
|
||||
overflow-y: auto;
|
||||
padding: 1rem;
|
||||
font-family: 'Courier New', 'Monaco', monospace;
|
||||
font-size: 0.9rem;
|
||||
line-height: 1.4;
|
||||
-webkit-overflow-scrolling: touch;
|
||||
}
|
||||
|
||||
.mobile-chat-input-container {
|
||||
padding: 1rem;
|
||||
border-top: 1px solid var(--border-color);
|
||||
display: flex;
|
||||
gap: 0.5rem;
|
||||
background: var(--bg-secondary);
|
||||
position: sticky;
|
||||
bottom: 0;
|
||||
}
|
||||
|
||||
.mobile-chat-input {
|
||||
flex: 1;
|
||||
background: var(--bg-primary);
|
||||
border: 2px solid var(--border-color);
|
||||
border-radius: 0.5rem;
|
||||
padding: 0.75rem;
|
||||
color: var(--text-primary);
|
||||
font-family: 'Courier New', 'Monaco', monospace;
|
||||
font-size: 1rem;
|
||||
min-height: 44px; /* Touch-friendly size */
|
||||
}
|
||||
|
||||
.mobile-chat-input:focus {
|
||||
outline: none;
|
||||
border-color: var(--accent-color);
|
||||
box-shadow: 0 0 0 3px rgba(13, 110, 253, 0.25);
|
||||
}
|
||||
|
||||
.mobile-send-button {
|
||||
background: var(--accent-color);
|
||||
color: white;
|
||||
border: none;
|
||||
border-radius: 0.5rem;
|
||||
padding: 0.75rem 1.5rem;
|
||||
cursor: pointer;
|
||||
font-weight: 600;
|
||||
min-width: 80px;
|
||||
min-height: 44px; /* Touch-friendly size */
|
||||
transition: background-color 0.2s ease;
|
||||
}
|
||||
|
||||
.mobile-send-button:hover {
|
||||
background: #0056b3;
|
||||
}
|
||||
|
||||
.mobile-send-button:active {
|
||||
transform: scale(0.98);
|
||||
}
|
||||
|
||||
/* Enhanced mobile responsive design */
|
||||
@media (max-width: 768px) {
|
||||
/* Hide desktop chat panel on mobile */
|
||||
.chat-panel {
|
||||
display: none;
|
||||
}
|
||||
|
||||
/* Show mobile-only elements */
|
||||
.mobile-only {
|
||||
display: flex;
|
||||
}
|
||||
|
||||
/* Adjust main content for full-screen video */
|
||||
.main-content {
|
||||
flex-direction: column;
|
||||
height: 100%;
|
||||
}
|
||||
|
||||
.video-grid {
|
||||
flex: 1;
|
||||
width: 100%;
|
||||
padding: 0.5rem;
|
||||
}
|
||||
|
||||
/* Mobile-optimized video containers */
|
||||
.remoteVideoContainer {
|
||||
border-radius: 0.75rem;
|
||||
margin-bottom: 0.5rem;
|
||||
}
|
||||
|
||||
.remoteVideo {
|
||||
border-radius: 0.75rem;
|
||||
}
|
||||
|
||||
/* Larger touch targets for controls */
|
||||
.control-btn {
|
||||
min-width: 60px;
|
||||
min-height: 60px;
|
||||
padding: 0.75rem;
|
||||
border-radius: 50%;
|
||||
flex-direction: column;
|
||||
gap: 0.25rem;
|
||||
font-size: 0.75rem;
|
||||
}
|
||||
|
||||
.btn-icon {
|
||||
font-size: 1.5rem;
|
||||
line-height: 1;
|
||||
}
|
||||
|
||||
.btn-text {
|
||||
font-size: 0.7rem;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.05em;
|
||||
}
|
||||
|
||||
/* Mobile chat controls styling */
|
||||
.chat-controls {
|
||||
padding: 1rem;
|
||||
gap: 1rem;
|
||||
background: var(--bg-secondary);
|
||||
border-top: 1px solid var(--border-color);
|
||||
}
|
||||
|
||||
/* Optimize header for mobile */
|
||||
.chat-header {
|
||||
padding: 0.75rem 1rem;
|
||||
flex-wrap: wrap;
|
||||
}
|
||||
|
||||
.header-left {
|
||||
flex: 1;
|
||||
min-width: 0;
|
||||
}
|
||||
|
||||
.header-left h1 {
|
||||
font-size: 1.2rem;
|
||||
}
|
||||
|
||||
.connection-quality {
|
||||
margin-left: 0.5rem;
|
||||
font-size: 0.7rem;
|
||||
padding: 0.2rem 0.4rem;
|
||||
}
|
||||
|
||||
/* Mobile self-view positioning */
|
||||
.self-view {
|
||||
width: 100px;
|
||||
height: 75px;
|
||||
bottom: 7rem;
|
||||
right: 1rem;
|
||||
}
|
||||
|
||||
/* Mobile username modal */
|
||||
.modal-content {
|
||||
margin: 2rem 1rem;
|
||||
padding: 2rem 1.5rem;
|
||||
border-radius: 1rem;
|
||||
}
|
||||
|
||||
.input-group input {
|
||||
padding: 0.75rem;
|
||||
font-size: 1rem;
|
||||
border-radius: 0.5rem;
|
||||
}
|
||||
|
||||
#joinButton {
|
||||
padding: 0.75rem 2rem;
|
||||
font-size: 1rem;
|
||||
border-radius: 0.5rem;
|
||||
}
|
||||
|
||||
/* Improve mobile message display */
|
||||
.message {
|
||||
padding: 0.25rem 0;
|
||||
line-height: 1.5;
|
||||
}
|
||||
|
||||
.message-timestamp {
|
||||
font-size: 0.7rem;
|
||||
}
|
||||
|
||||
.message-username {
|
||||
font-size: 0.85rem;
|
||||
}
|
||||
|
||||
.message-text {
|
||||
font-size: 0.9rem;
|
||||
word-break: break-word;
|
||||
}
|
||||
}
|
||||
|
||||
/* Extra small devices (phones in portrait) */
|
||||
@media (max-width: 480px) {
|
||||
.chat-controls {
|
||||
gap: 0.75rem;
|
||||
padding: 0.75rem;
|
||||
}
|
||||
|
||||
.control-btn {
|
||||
min-width: 50px;
|
||||
min-height: 50px;
|
||||
padding: 0.5rem;
|
||||
}
|
||||
|
||||
.btn-icon {
|
||||
font-size: 1.2rem;
|
||||
}
|
||||
|
||||
.btn-text {
|
||||
font-size: 0.6rem;
|
||||
}
|
||||
|
||||
.modal-content {
|
||||
margin: 1rem 0.5rem;
|
||||
padding: 1.5rem 1rem;
|
||||
}
|
||||
}
|
||||
|
||||
/* Landscape orientation optimizations */
|
||||
@media (max-width: 896px) and (orientation: landscape) {
|
||||
.chat-header {
|
||||
padding: 0.5rem 1rem;
|
||||
}
|
||||
|
||||
.chat-controls {
|
||||
padding: 0.75rem 1rem;
|
||||
}
|
||||
|
||||
.control-btn {
|
||||
min-height: 50px;
|
||||
}
|
||||
|
||||
.self-view {
|
||||
bottom: 5.5rem;
|
||||
width: 80px;
|
||||
height: 60px;
|
||||
}
|
||||
}
|
||||
|
||||
/* Touch-friendly interactions */
|
||||
@media (hover: none) and (pointer: coarse) {
|
||||
.control-btn:active {
|
||||
transform: scale(0.95);
|
||||
background: var(--bg-tertiary);
|
||||
}
|
||||
|
||||
.header-btn:active {
|
||||
transform: scale(0.95);
|
||||
}
|
||||
|
||||
.chat-toggle-btn:active {
|
||||
transform: scale(0.95);
|
||||
}
|
||||
}
|
||||
@@ -2,8 +2,12 @@
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0, user-scalable=no, viewport-fit=cover">
|
||||
<meta http-equiv="X-UA-Compatible" content="ie=edge">
|
||||
<meta name="apple-mobile-web-app-capable" content="yes">
|
||||
<meta name="apple-mobile-web-app-status-bar-style" content="black-translucent">
|
||||
<meta name="mobile-web-app-capable" content="yes">
|
||||
<meta name="theme-color" content="#212529">
|
||||
<title>IRC VideoChat - Terminal</title>
|
||||
<link rel="stylesheet" type="text/css" href="{{ url_for('static', filename='styles.css') }}">
|
||||
|
||||
@@ -34,6 +38,10 @@
|
||||
<div class="header-left">
|
||||
<h1>#videochat</h1>
|
||||
<span id="participantCount">1 user</span>
|
||||
<span id="connectionQuality" class="connection-quality" title="Connection quality">
|
||||
<span class="quality-indicator good">●</span>
|
||||
<span class="quality-text">Good</span>
|
||||
</span>
|
||||
</div>
|
||||
<div class="header-right">
|
||||
<button id="themeToggle" class="header-btn" title="Toggle theme">
|
||||
@@ -46,34 +54,75 @@
|
||||
</header>
|
||||
|
||||
<main class="chat-main">
|
||||
<div id="remoteVideos" class="video-grid" aria-label="Remote Videos"></div>
|
||||
<div class="main-content">
|
||||
<div id="remoteVideos" class="video-grid" aria-label="Remote Videos"></div>
|
||||
|
||||
<!-- Self View (Initially hidden) -->
|
||||
<div id="selfViewContainer" class="self-view hidden">
|
||||
<video id="selfVideo" autoplay muted></video>
|
||||
<div class="self-view-label">
|
||||
<span id="selfViewUsername">[SELF]</span>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Self View (Initially hidden) -->
|
||||
<div id="selfViewContainer" class="self-view hidden">
|
||||
<video id="selfVideo" autoplay muted></video>
|
||||
<div class="self-view-label">
|
||||
<span id="selfViewUsername">[SELF]</span>
|
||||
<!-- IRC-style Chat Panel -->
|
||||
<div id="chatPanel" class="chat-panel">
|
||||
<div class="chat-header-bar">
|
||||
<span class="chat-title">[#videochat]</span>
|
||||
<button id="toggleChatButton" class="chat-toggle-btn" title="Toggle chat">
|
||||
<span>💬</span>
|
||||
</button>
|
||||
</div>
|
||||
<div class="chat-messages" id="chatMessages">
|
||||
<div class="system-message">* Now talking in #videochat</div>
|
||||
<div class="system-message">* Topic is: Welcome to the video chat room</div>
|
||||
</div>
|
||||
<div class="chat-input-container">
|
||||
<span class="chat-prompt">></span>
|
||||
<input type="text" id="chatInput" class="chat-input" placeholder="Type a message..." maxlength="500">
|
||||
<button id="sendButton" class="send-button">Send</button>
|
||||
</div>
|
||||
</div>
|
||||
</main>
|
||||
|
||||
<footer class="chat-controls">
|
||||
<button id="muteButton" class="control-btn mute-btn">
|
||||
<span>mic</span>
|
||||
<span class="btn-icon">🎤</span>
|
||||
<span class="btn-text">mic</span>
|
||||
</button>
|
||||
<button id="videoButton" class="control-btn video-btn">
|
||||
<span>cam</span>
|
||||
<span class="btn-icon">📹</span>
|
||||
<span class="btn-text">cam</span>
|
||||
</button>
|
||||
<button id="mobileChatToggle" class="control-btn chat-btn mobile-only">
|
||||
<span class="btn-icon">💬</span>
|
||||
<span class="btn-text">chat</span>
|
||||
</button>
|
||||
<button id="hangupButton" class="control-btn hangup-btn">
|
||||
<span>disconnect</span>
|
||||
<span class="btn-icon">📞</span>
|
||||
<span class="btn-text">disconnect</span>
|
||||
</button>
|
||||
</footer>
|
||||
|
||||
<!-- Mobile Chat Overlay -->
|
||||
<div id="mobileChatOverlay" class="mobile-chat-overlay hidden">
|
||||
<div class="mobile-chat-header">
|
||||
<h3>#videochat</h3>
|
||||
<button id="closeMobileChatButton" class="close-chat-btn">✕</button>
|
||||
</div>
|
||||
<div class="mobile-chat-messages" id="mobileChatMessages"></div>
|
||||
<div class="mobile-chat-input-container">
|
||||
<input type="text" id="mobileChatInput" class="mobile-chat-input" placeholder="Type a message..." maxlength="500">
|
||||
<button id="mobileSendButton" class="mobile-send-button">Send</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Hidden local video for WebRTC -->
|
||||
<video id="localVideo" autoplay muted style="display: none;"></video>
|
||||
|
||||
<script src="https://cdnjs.cloudflare.com/ajax/libs/socket.io/4.7.2/socket.io.js"></script>
|
||||
<script src="{{ url_for('static', filename='main.js') }}"></script>
|
||||
<script src="{{ url_for('static', filename='script.js') }}"></script>
|
||||
</body>
|
||||
</html>
|
||||
Reference in New Issue
Block a user