255 lines
7.8 KiB
JavaScript
255 lines
7.8 KiB
JavaScript
/**
|
|
* Complete System Test for Multi-User Chrome Extension to LiveKit Agent
|
|
* Tests the full flow: Chrome Extension → Remote Server → LiveKit Agent
|
|
*/
|
|
|
|
import WebSocket from 'ws';
|
|
import { spawn } from 'child_process';
|
|
|
|
const SERVER_URL = 'ws://localhost:3001/chrome';
|
|
const NUM_USERS = 2;
|
|
|
|
class ChromeExtensionSimulator {
|
|
constructor(userId) {
|
|
this.userId = userId;
|
|
this.ws = null;
|
|
this.sessionInfo = null;
|
|
this.connected = false;
|
|
this.liveKitAgentProcess = null;
|
|
}
|
|
|
|
async connect() {
|
|
return new Promise((resolve, reject) => {
|
|
console.log(`[User ${this.userId}] Connecting Chrome extension...`);
|
|
|
|
this.ws = new WebSocket(SERVER_URL);
|
|
|
|
this.ws.on('open', () => {
|
|
console.log(`[User ${this.userId}] Chrome extension connected`);
|
|
this.connected = true;
|
|
|
|
// Send connection info
|
|
const connectionInfo = {
|
|
type: 'connection_info',
|
|
userAgent: `TestChromeUser-${this.userId}`,
|
|
timestamp: Date.now(),
|
|
extensionId: `test-extension-${this.userId}`
|
|
};
|
|
|
|
this.ws.send(JSON.stringify(connectionInfo));
|
|
});
|
|
|
|
this.ws.on('message', (data) => {
|
|
try {
|
|
const message = JSON.parse(data.toString());
|
|
|
|
if (message.type === 'session_info') {
|
|
this.sessionInfo = message.sessionInfo;
|
|
console.log(`[User ${this.userId}] Session created:`, {
|
|
userId: this.sessionInfo.userId,
|
|
sessionId: this.sessionInfo.sessionId,
|
|
expectedRoom: `mcp-chrome-user-${this.sessionInfo.userId}`
|
|
});
|
|
|
|
// Wait a moment for LiveKit agent to start
|
|
setTimeout(() => {
|
|
resolve();
|
|
}, 3000);
|
|
}
|
|
} catch (error) {
|
|
console.error(`[User ${this.userId}] Error parsing message:`, error);
|
|
}
|
|
});
|
|
|
|
this.ws.on('close', () => {
|
|
console.log(`[User ${this.userId}] Chrome extension disconnected`);
|
|
this.connected = false;
|
|
});
|
|
|
|
this.ws.on('error', (error) => {
|
|
console.error(`[User ${this.userId}] Connection error:`, error);
|
|
reject(error);
|
|
});
|
|
|
|
setTimeout(() => {
|
|
if (!this.sessionInfo) {
|
|
reject(new Error(`User ${this.userId}: Timeout waiting for session info`));
|
|
}
|
|
}, 10000);
|
|
});
|
|
}
|
|
|
|
async testLiveKitConnection() {
|
|
if (!this.sessionInfo) {
|
|
throw new Error(`User ${this.userId}: No session info available`);
|
|
}
|
|
|
|
const roomName = `mcp-chrome-user-${this.sessionInfo.userId}`;
|
|
console.log(`[User ${this.userId}] Testing LiveKit connection to room: ${roomName}`);
|
|
|
|
// Simulate LiveKit client connection (in real scenario, user would join this room)
|
|
return new Promise((resolve) => {
|
|
console.log(`[User ${this.userId}] LiveKit room ready: ${roomName}`);
|
|
resolve(true);
|
|
});
|
|
}
|
|
|
|
disconnect() {
|
|
if (this.ws) {
|
|
console.log(`[User ${this.userId}] Disconnecting Chrome extension`);
|
|
this.ws.close();
|
|
}
|
|
}
|
|
|
|
getStatus() {
|
|
return {
|
|
userId: this.userId,
|
|
connected: this.connected,
|
|
sessionInfo: this.sessionInfo,
|
|
expectedRoom: this.sessionInfo ? `mcp-chrome-user-${this.sessionInfo.userId}` : null
|
|
};
|
|
}
|
|
}
|
|
|
|
async function testRemoteServerConnection() {
|
|
console.log('Testing remote server connection...');
|
|
|
|
return new Promise((resolve, reject) => {
|
|
const testWs = new WebSocket(SERVER_URL);
|
|
|
|
testWs.on('open', () => {
|
|
testWs.close();
|
|
console.log('SUCCESS: Remote server is running');
|
|
resolve(true);
|
|
});
|
|
|
|
testWs.on('error', (error) => {
|
|
console.error('ERROR: Cannot connect to remote server');
|
|
console.error('Please start: cd app/remote-server && npm start');
|
|
reject(error);
|
|
});
|
|
});
|
|
}
|
|
|
|
async function testLiveKitAgentAvailability() {
|
|
console.log('Testing LiveKit agent availability...');
|
|
|
|
return new Promise((resolve) => {
|
|
const testProcess = spawn('python', ['simple_agent.py', '--help'], {
|
|
cwd: './agent-livekit',
|
|
stdio: 'pipe'
|
|
});
|
|
|
|
testProcess.on('close', (code) => {
|
|
if (code === 0) {
|
|
console.log('SUCCESS: Simple LiveKit agent is available');
|
|
resolve(true);
|
|
} else {
|
|
console.log('WARNING: LiveKit agent may have issues, but continuing test');
|
|
resolve(true);
|
|
}
|
|
});
|
|
|
|
testProcess.on('error', (error) => {
|
|
console.log('WARNING: LiveKit agent not available, but continuing test');
|
|
resolve(true);
|
|
});
|
|
|
|
setTimeout(() => {
|
|
testProcess.kill();
|
|
resolve(true);
|
|
}, 5000);
|
|
});
|
|
}
|
|
|
|
async function runCompleteSystemTest() {
|
|
console.log('=' * 80);
|
|
console.log('COMPLETE SYSTEM TEST: Chrome Extension → Remote Server → LiveKit Agent');
|
|
console.log('=' * 80);
|
|
|
|
try {
|
|
// Test 1: Remote server connection
|
|
await testRemoteServerConnection();
|
|
|
|
// Test 2: LiveKit agent availability
|
|
await testLiveKitAgentAvailability();
|
|
|
|
// Test 3: Multi-user Chrome extension connections
|
|
console.log(`\nCreating ${NUM_USERS} simulated Chrome extension users...`);
|
|
|
|
const users = [];
|
|
for (let i = 1; i <= NUM_USERS; i++) {
|
|
const user = new ChromeExtensionSimulator(i);
|
|
users.push(user);
|
|
}
|
|
|
|
// Connect all users
|
|
console.log('\nConnecting all users...');
|
|
for (const user of users) {
|
|
await user.connect();
|
|
await new Promise(resolve => setTimeout(resolve, 2000)); // Wait between connections
|
|
}
|
|
|
|
// Test LiveKit connections
|
|
console.log('\nTesting LiveKit connections...');
|
|
for (const user of users) {
|
|
await user.testLiveKitConnection();
|
|
}
|
|
|
|
// Display results
|
|
console.log('\n' + '=' * 60);
|
|
console.log('SYSTEM TEST RESULTS');
|
|
console.log('=' * 60);
|
|
|
|
users.forEach(user => {
|
|
const status = user.getStatus();
|
|
console.log(`User ${status.userId}:`);
|
|
console.log(` Chrome Extension: ${status.connected ? 'CONNECTED' : 'DISCONNECTED'}`);
|
|
console.log(` User ID: ${status.sessionInfo?.userId || 'N/A'}`);
|
|
console.log(` Session ID: ${status.sessionInfo?.sessionId || 'N/A'}`);
|
|
console.log(` LiveKit Room: ${status.expectedRoom || 'N/A'}`);
|
|
console.log('');
|
|
});
|
|
|
|
// Test session isolation
|
|
const sessionIds = users.map(user => user.sessionInfo?.sessionId).filter(Boolean);
|
|
const userIds = users.map(user => user.sessionInfo?.userId).filter(Boolean);
|
|
const rooms = users.map(user => user.getStatus().expectedRoom).filter(Boolean);
|
|
|
|
const uniqueSessionIds = new Set(sessionIds);
|
|
const uniqueUserIds = new Set(userIds);
|
|
const uniqueRooms = new Set(rooms);
|
|
|
|
console.log('ISOLATION TEST:');
|
|
console.log(` Session IDs: ${uniqueSessionIds.size}/${users.length} unique - ${uniqueSessionIds.size === users.length ? 'PASS' : 'FAIL'}`);
|
|
console.log(` User IDs: ${uniqueUserIds.size}/${users.length} unique - ${uniqueUserIds.size === users.length ? 'PASS' : 'FAIL'}`);
|
|
console.log(` LiveKit Rooms: ${uniqueRooms.size}/${users.length} unique - ${uniqueRooms.size === users.length ? 'PASS' : 'FAIL'}`);
|
|
|
|
console.log('\nSUCCESS: Complete system test passed!');
|
|
console.log('\nNEXT STEPS:');
|
|
console.log('1. Install Chrome extensions for real users');
|
|
console.log('2. Users join their respective LiveKit rooms:');
|
|
users.forEach(user => {
|
|
const status = user.getStatus();
|
|
console.log(` User ${status.userId}: ${status.expectedRoom}`);
|
|
});
|
|
console.log('3. Voice commands will be routed to correct Chrome extensions');
|
|
|
|
// Cleanup
|
|
console.log('\nCleaning up connections...');
|
|
users.forEach(user => user.disconnect());
|
|
|
|
} catch (error) {
|
|
console.error('SYSTEM TEST FAILED:', error);
|
|
process.exit(1);
|
|
}
|
|
|
|
setTimeout(() => {
|
|
console.log('\nSystem test completed.');
|
|
process.exit(0);
|
|
}, 2000);
|
|
}
|
|
|
|
// Run the complete system test
|
|
runCompleteSystemTest();
|