Files
markov-discord/temp_bench/bench/load_test.js
pacnpal 2e35d88045 feat: Implement configuration management and logging for Markov bot
- Added AppConfig class to manage application configuration with environment variable support.
- Introduced JSON5 support for configuration files, allowing both .json and .json5 extensions.
- Implemented logging using Pino with pretty-printing for better readability.
- Created a MarkovStore class for efficient storage and retrieval of Markov chains with O(1) sampling.
- Developed a WorkerPool class to manage worker threads for parallel processing of tasks.
- Added methods for building chains, generating responses, and handling task submissions in the worker pool.
- Included validation for configuration using class-validator to ensure correctness.
- Established a clear structure for configuration, logging, and Markov chain management.
2025-09-26 08:24:53 -04:00

308 lines
12 KiB
JavaScript

#!/usr/bin/env node
"use strict";
var __importDefault = (this && this.__importDefault) || function (mod) {
return (mod && mod.__esModule) ? mod : { "default": mod };
};
Object.defineProperty(exports, "__esModule", { value: true });
exports.TestDataGenerator = exports.LoadTester = void 0;
require("reflect-metadata");
/**
* Markov Discord Load Testing Script
*
* This script performs load testing on the Markov Discord bot to measure
* performance under various loads and configurations.
*/
require("source-map-support/register");
const perf_hooks_1 = require("perf_hooks");
const markov_store_1 = require("../src/markov-store");
const worker_pool_1 = require("../src/workers/worker-pool");
const promises_1 = __importDefault(require("fs/promises"));
const path_1 = __importDefault(require("path"));
// Default configuration
const defaultConfig = {
duration: 60,
concurrency: 10,
warmupTime: 5,
guildId: 'load-test-guild',
testDataSize: 1000,
outputFile: `load_test_${new Date().toISOString().replace(/:/g, '-')}.json`,
useOptimized: true
};
// Test data generator
class TestDataGenerator {
constructor() {
this.words = [
'hello', 'world', 'this', 'is', 'a', 'test', 'message', 'for', 'performance',
'testing', 'with', 'many', 'different', 'words', 'and', 'phrases', 'that',
'simulate', 'real', 'conversation', 'patterns', 'in', 'discord', 'channels',
'where', 'people', 'talk', 'about', 'various', 'topics', 'like', 'gaming',
'programming', 'music', 'movies', 'books', 'sports', 'technology', 'science'
];
}
generateMessage() {
const length = Math.floor(Math.random() * 15) + 3; // 3-17 words
const message = [];
for (let i = 0; i < length; i++) {
message.push(this.words[Math.floor(Math.random() * this.words.length)]);
}
return message.join(' ');
}
generateTrainingData(count) {
const data = [];
for (let i = 0; i < count; i++) {
data.push({ message: this.generateMessage() });
}
return data;
}
generatePrefixes(count) {
const prefixes = [];
for (let i = 0; i < count; i++) {
const length = Math.floor(Math.random() * 2) + 1; // 1-2 words
const prefix = [];
for (let j = 0; j < length; j++) {
prefix.push(this.words[Math.floor(Math.random() * this.words.length)]);
}
prefixes.push(prefix.join(' '));
}
return prefixes;
}
}
exports.TestDataGenerator = TestDataGenerator;
// Load tester class
class LoadTester {
constructor(config) {
this.results = [];
this.errors = [];
this.startTime = 0;
this.endTime = 0;
this.config = config;
this.generator = new TestDataGenerator();
this.memoryStart = process.memoryUsage();
this.memoryPeak = { ...this.memoryStart };
}
// Update memory peak
updateMemoryPeak() {
const current = process.memoryUsage();
if (current.heapUsed > this.memoryPeak.heapUsed) {
this.memoryPeak = current;
}
}
// Generate training data
async setupTrainingData() {
console.log(`Generating ${this.config.testDataSize} training messages...`);
const messages = this.generator.generateTrainingData(this.config.testDataSize);
const trainingData = [];
for (const msg of messages) {
const words = msg.message.split(' ');
for (let i = 0; i < words.length - 1; i++) {
trainingData.push({
prefix: words[i],
suffix: words[i + 1],
weight: 1
});
}
}
console.log(`Generated ${trainingData.length} training pairs`);
return trainingData;
}
// Build chains (training phase)
async buildChains() {
console.log('Building Markov chains...');
if (this.config.useOptimized) {
const workerPool = (0, worker_pool_1.getWorkerPool)(2);
const trainingData = await this.setupTrainingData();
// Split data into chunks for workers
const chunkSize = Math.ceil(trainingData.length / 2);
const chunk1 = trainingData.slice(0, chunkSize);
const chunk2 = trainingData.slice(chunkSize);
const [result1, result2] = await Promise.all([
workerPool.buildChains(this.config.guildId, chunk1, true, 2),
workerPool.buildChains(this.config.guildId, chunk2, false, 2)
]);
console.log(`Chains built: ${result1.processedCount + result2.processedCount} entries`);
}
else {
// Fallback to basic implementation
const store = new markov_store_1.MarkovStore(this.config.guildId);
await store.load();
store.clear();
const trainingData = await this.setupTrainingData();
for (const item of trainingData) {
store.addPrefix(item.prefix, item.suffix, item.weight);
}
await store.save();
console.log('Basic training completed');
}
}
// Run generation load test
async runGenerationTest() {
console.log(`Starting load test: ${this.config.duration}s duration, ${this.config.concurrency} concurrency`);
const prefixes = this.generator.generatePrefixes(1000);
const endTime = Date.now() + (this.config.duration * 1000);
this.startTime = perf_hooks_1.performance.now();
// Warmup phase
if (this.config.warmupTime > 0) {
console.log(`Warmup phase: ${this.config.warmupTime} seconds`);
await new Promise(resolve => setTimeout(resolve, this.config.warmupTime * 1000));
}
// Load test phase
const promises = [];
for (let i = 0; i < this.config.concurrency; i++) {
promises.push(this.generateLoad(i, prefixes, endTime));
}
await Promise.all(promises);
this.endTime = perf_hooks_1.performance.now();
console.log('Load test completed');
}
// Generate load for a single worker
async generateLoad(workerId, prefixes, endTime) {
const latencies = [];
while (Date.now() < endTime) {
const start = perf_hooks_1.performance.now();
try {
if (this.config.useOptimized) {
// Use worker pool
const workerPool = (0, worker_pool_1.getWorkerPool)(2);
const prefix = prefixes[Math.floor(Math.random() * prefixes.length)];
await workerPool.generateResponse(this.config.guildId, prefix, 30, 1.0, 1);
}
else {
// Use basic store
const store = new markov_store_1.MarkovStore(this.config.guildId);
await store.load();
const prefix = prefixes[Math.floor(Math.random() * prefixes.length)];
store.generate(prefix, 30);
}
const latency = perf_hooks_1.performance.now() - start;
latencies.push(latency);
this.results.push(latency);
this.updateMemoryPeak();
}
catch (error) {
this.errors.push(`Worker ${workerId}: ${error instanceof Error ? error.message : String(error)}`);
}
// Small delay to avoid overwhelming the system
await new Promise(resolve => setTimeout(resolve, 10));
}
console.log(`Worker ${workerId}: completed ${latencies.length} requests`);
}
// Calculate statistics
calculateStats() {
if (this.results.length === 0) {
return {
totalRequests: 0,
successfulRequests: 0,
failedRequests: this.errors.length,
requestsPerSecond: 0,
averageLatency: 0,
minLatency: 0,
maxLatency: 0,
p95Latency: 0,
p99Latency: 0
};
}
const sortedLatencies = [...this.results].sort((a, b) => a - b);
const totalTime = this.endTime - this.startTime;
const p95Index = Math.floor(sortedLatencies.length * 0.95);
const p99Index = Math.floor(sortedLatencies.length * 0.99);
return {
totalRequests: this.results.length,
successfulRequests: this.results.length,
failedRequests: this.errors.length,
requestsPerSecond: (this.results.length / totalTime) * 1000,
averageLatency: this.results.reduce((sum, lat) => sum + lat, 0) / this.results.length,
minLatency: sortedLatencies[0],
maxLatency: sortedLatencies[sortedLatencies.length - 1],
p95Latency: sortedLatencies[p95Index] || 0,
p99Latency: sortedLatencies[p99Index] || 0
};
}
// Run complete load test
async run() {
console.log('=== Markov Discord Load Test ===');
console.log('Configuration:', JSON.stringify(this.config, null, 2));
try {
// Build chains
await this.buildChains();
// Run load test
await this.runGenerationTest();
// Calculate results
const summary = this.calculateStats();
const memoryEnd = process.memoryUsage();
const result = {
config: this.config,
summary,
latencies: this.results,
errors: this.errors,
memoryUsage: {
start: this.memoryStart,
end: memoryEnd,
peak: this.memoryPeak
},
timestamp: new Date().toISOString()
};
// Save results
await promises_1.default.writeFile(path_1.default.join(process.cwd(), this.config.outputFile), JSON.stringify(result, null, 2));
console.log('\n=== Load Test Results ===');
console.log(`Total Requests: ${summary.totalRequests}`);
console.log(`Requests/sec: ${summary.requestsPerSecond.toFixed(2)}`);
console.log(`Average Latency: ${summary.averageLatency.toFixed(2)}ms`);
console.log(`Min Latency: ${summary.minLatency.toFixed(2)}ms`);
console.log(`Max Latency: ${summary.maxLatency.toFixed(2)}ms`);
console.log(`95th Percentile: ${summary.p95Latency.toFixed(2)}ms`);
console.log(`99th Percentile: ${summary.p99Latency.toFixed(2)}ms`);
console.log(`Failed Requests: ${summary.failedRequests}`);
console.log(`Memory Usage: ${((memoryEnd.heapUsed - this.memoryStart.heapUsed) / 1024 / 1024).toFixed(2)}MB`);
console.log(`Results saved to: ${this.config.outputFile}`);
return result;
}
catch (error) {
console.error('Load test failed:', error);
throw error;
}
}
}
exports.LoadTester = LoadTester;
// CLI interface
async function main() {
const args = process.argv.slice(2);
// Parse command line arguments
const config = { ...defaultConfig };
for (let i = 0; i < args.length; i += 2) {
const key = args[i].replace('--', '');
const value = args[i + 1];
if (value !== undefined) {
switch (key) {
case 'duration':
config.duration = parseInt(value);
break;
case 'concurrency':
config.concurrency = parseInt(value);
break;
case 'warmup':
config.warmupTime = parseInt(value);
break;
case 'guild':
config.guildId = value;
break;
case 'data-size':
config.testDataSize = parseInt(value);
break;
case 'output':
config.outputFile = value;
break;
case 'optimized':
config.useOptimized = value === 'true';
break;
}
}
}
// Run load test
const tester = new LoadTester(config);
await tester.run();
}
// Handle CLI execution
if (require.main === module) {
main().catch(console.error);
}