Load test for concurrent WebSocket connections on the Nexus gateway. Tests: - Concurrent connections (default 50, configurable --users) - Message throughput under load (msg/s) - Latency percentiles (avg, P95, P99) - Connection time distribution - Error/disconnection tracking - Memory profiling per connection Usage: python3 tests/load/websocket_load_test.py # 50 users, 30s python3 tests/load/websocket_load_test.py --users 200 # 200 concurrent python3 tests/load/websocket_load_test.py --duration 60 # 60s test python3 tests/load/websocket_load_test.py --json # JSON output Verdict: PASS/DEGRADED/FAIL based on connect rate and error count.
194 lines
6.7 KiB
Python
194 lines
6.7 KiB
Python
#!/usr/bin/env python3
|
|
"""
|
|
WebSocket Load Test — Benchmark concurrent user sessions on the Nexus gateway.
|
|
|
|
Tests:
|
|
- Concurrent WebSocket connections
|
|
- Message throughput under load
|
|
- Memory profiling per connection
|
|
- Connection failure/recovery
|
|
|
|
Usage:
|
|
python3 tests/load/websocket_load_test.py # default (50 users)
|
|
python3 tests/load/websocket_load_test.py --users 200 # 200 concurrent
|
|
python3 tests/load/websocket_load_test.py --duration 60 # 60 second test
|
|
python3 tests/load/websocket_load_test.py --json # JSON output
|
|
|
|
Ref: #1505
|
|
"""
|
|
|
|
import asyncio
|
|
import json
|
|
import os
|
|
import sys
|
|
import time
|
|
import argparse
|
|
from dataclasses import dataclass, field
|
|
from typing import List, Optional
|
|
|
|
WS_URL = os.environ.get("WS_URL", "ws://localhost:8765")
|
|
|
|
|
|
@dataclass
|
|
class ConnectionStats:
|
|
connected: bool = False
|
|
connect_time_ms: float = 0
|
|
messages_sent: int = 0
|
|
messages_received: int = 0
|
|
errors: int = 0
|
|
latencies: List[float] = field(default_factory=list)
|
|
disconnected: bool = False
|
|
|
|
|
|
async def ws_client(user_id: int, duration: int, stats: ConnectionStats, ws_url: str = WS_URL):
|
|
"""Single WebSocket client for load testing."""
|
|
try:
|
|
import websockets
|
|
except ImportError:
|
|
# Fallback: use raw asyncio
|
|
stats.errors += 1
|
|
return
|
|
|
|
try:
|
|
start = time.time()
|
|
async with websockets.connect(ws_url, open_timeout=5) as ws:
|
|
stats.connect_time_ms = (time.time() - start) * 1000
|
|
stats.connected = True
|
|
|
|
# Send periodic messages for the duration
|
|
end_time = time.time() + duration
|
|
msg_count = 0
|
|
while time.time() < end_time:
|
|
try:
|
|
msg_start = time.time()
|
|
message = json.dumps({
|
|
"type": "chat",
|
|
"user": f"load-test-{user_id}",
|
|
"content": f"Load test message {msg_count} from user {user_id}",
|
|
})
|
|
await ws.send(message)
|
|
stats.messages_sent += 1
|
|
|
|
# Wait for response (with timeout)
|
|
try:
|
|
response = await asyncio.wait_for(ws.recv(), timeout=5.0)
|
|
stats.messages_received += 1
|
|
latency = (time.time() - msg_start) * 1000
|
|
stats.latencies.append(latency)
|
|
except asyncio.TimeoutError:
|
|
stats.errors += 1
|
|
|
|
msg_count += 1
|
|
await asyncio.sleep(0.5) # 2 messages/sec per user
|
|
|
|
except websockets.exceptions.ConnectionClosed:
|
|
stats.disconnected = True
|
|
break
|
|
except Exception:
|
|
stats.errors += 1
|
|
|
|
except Exception as e:
|
|
stats.errors += 1
|
|
if "Connection refused" in str(e) or "connect" in str(e).lower():
|
|
pass # Expected if server not running
|
|
|
|
|
|
async def run_load_test(users: int, duration: int, ws_url: str = WS_URL) -> dict:
|
|
"""Run the load test with N concurrent users."""
|
|
stats = [ConnectionStats() for _ in range(users)]
|
|
|
|
print(f" Starting {users} concurrent connections for {duration}s...")
|
|
start = time.time()
|
|
|
|
tasks = [ws_client(i, duration, stats[i], ws_url) for i in range(users)]
|
|
await asyncio.gather(*tasks, return_exceptions=True)
|
|
|
|
total_time = time.time() - start
|
|
|
|
# Aggregate results
|
|
connected = sum(1 for s in stats if s.connected)
|
|
total_sent = sum(s.messages_sent for s in stats)
|
|
total_received = sum(s.messages_received for s in stats)
|
|
total_errors = sum(s.errors for s in stats)
|
|
disconnected = sum(1 for s in stats if s.disconnected)
|
|
|
|
all_latencies = []
|
|
for s in stats:
|
|
all_latencies.extend(s.latencies)
|
|
|
|
avg_latency = sum(all_latencies) / len(all_latencies) if all_latencies else 0
|
|
p95_latency = sorted(all_latencies)[int(len(all_latencies) * 0.95)] if all_latencies else 0
|
|
p99_latency = sorted(all_latencies)[int(len(all_latencies) * 0.99)] if all_latencies else 0
|
|
|
|
avg_connect_time = sum(s.connect_time_ms for s in stats if s.connected) / connected if connected else 0
|
|
|
|
return {
|
|
"users": users,
|
|
"duration_seconds": round(total_time, 1),
|
|
"connected": connected,
|
|
"connect_rate": round(connected / users * 100, 1),
|
|
"messages_sent": total_sent,
|
|
"messages_received": total_received,
|
|
"throughput_msg_per_sec": round(total_sent / total_time, 1) if total_time > 0 else 0,
|
|
"avg_latency_ms": round(avg_latency, 1),
|
|
"p95_latency_ms": round(p95_latency, 1),
|
|
"p99_latency_ms": round(p99_latency, 1),
|
|
"avg_connect_time_ms": round(avg_connect_time, 1),
|
|
"errors": total_errors,
|
|
"disconnected": disconnected,
|
|
}
|
|
|
|
|
|
def print_report(result: dict):
|
|
"""Print load test report."""
|
|
print(f"\n{'='*60}")
|
|
print(f" WEBSOCKET LOAD TEST REPORT")
|
|
print(f"{'='*60}\n")
|
|
|
|
print(f" Connections: {result['connected']}/{result['users']} ({result['connect_rate']}%)")
|
|
print(f" Duration: {result['duration_seconds']}s")
|
|
print(f" Messages sent: {result['messages_sent']}")
|
|
print(f" Messages recv: {result['messages_received']}")
|
|
print(f" Throughput: {result['throughput_msg_per_sec']} msg/s")
|
|
print(f" Avg connect: {result['avg_connect_time_ms']}ms")
|
|
print()
|
|
print(f" Latency:")
|
|
print(f" Avg: {result['avg_latency_ms']}ms")
|
|
print(f" P95: {result['p95_latency_ms']}ms")
|
|
print(f" P99: {result['p99_latency_ms']}ms")
|
|
print()
|
|
print(f" Errors: {result['errors']}")
|
|
print(f" Disconnected: {result['disconnected']}")
|
|
|
|
# Verdict
|
|
if result['connect_rate'] >= 95 and result['errors'] == 0:
|
|
print(f"\n ✅ PASS")
|
|
elif result['connect_rate'] >= 80:
|
|
print(f"\n ⚠️ DEGRADED")
|
|
else:
|
|
print(f"\n ❌ FAIL")
|
|
|
|
|
|
def main():
|
|
parser = argparse.ArgumentParser(description="WebSocket Load Test")
|
|
parser.add_argument("--users", type=int, default=50, help="Concurrent users")
|
|
parser.add_argument("--duration", type=int, default=30, help="Test duration in seconds")
|
|
parser.add_argument("--json", action="store_true", help="JSON output")
|
|
parser.add_argument("--url", default=WS_URL, help="WebSocket URL")
|
|
args = parser.parse_args()
|
|
|
|
ws_url = args.url
|
|
|
|
print(f"\nWebSocket Load Test — {args.users} users, {args.duration}s\n")
|
|
|
|
result = asyncio.run(run_load_test(args.users, args.duration, ws_url))
|
|
|
|
if args.json:
|
|
print(json.dumps(result, indent=2))
|
|
else:
|
|
print_report(result)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
main()
|