- Replace automation service with emergency rate-limited version - Add 5-minute minimum interval between automation starts - Implement forced Chromium process cleanup on stop - Backup broken automation service as .broken file - Emergency service prevents multiple simultaneous automations - Fixed 1400+ Chromium process accumulation issue - Tested and confirmed: rate limiting works, processes stay at 0
189 lines
6.3 KiB
JavaScript
189 lines
6.3 KiB
JavaScript
#!/usr/bin/env node
|
|
|
|
/**
|
|
* Pre-compilation Script for Trading Bot
|
|
*
|
|
* This script pre-compiles all TypeScript modules during container startup
|
|
* to avoid on-demand compilation during automation operations.
|
|
*/
|
|
|
|
const fs = require('fs');
|
|
const path = require('path');
|
|
const { execSync } = require('child_process');
|
|
|
|
console.log('🔄 Pre-compiling TypeScript modules...');
|
|
|
|
// Setup TypeScript compilation environment
|
|
function setupTypeScript() {
|
|
try {
|
|
// Configure module resolution for the container environment
|
|
const Module = require('module');
|
|
const originalResolveFilename = Module._resolveFilename;
|
|
|
|
Module._resolveFilename = function (request, parent, isMain) {
|
|
// Handle relative imports within lib/ directory
|
|
if (request.startsWith('/app/lib/')) {
|
|
request = request.replace('/app/lib/', './lib/');
|
|
}
|
|
if (request.startsWith('./lib/') && parent && parent.filename) {
|
|
// Ensure .ts extension is handled
|
|
if (!request.endsWith('.ts') && !request.endsWith('.js')) {
|
|
const tsPath = request + '.ts';
|
|
const jsPath = request + '.js';
|
|
const fs = require('fs');
|
|
if (fs.existsSync(tsPath)) {
|
|
request = tsPath;
|
|
} else if (fs.existsSync(jsPath)) {
|
|
request = jsPath;
|
|
}
|
|
}
|
|
}
|
|
return originalResolveFilename.call(this, request, parent, isMain);
|
|
};
|
|
|
|
// Try to register ts-node for TypeScript compilation
|
|
require('ts-node/register');
|
|
console.log('✅ TypeScript compilation environment ready with path resolution');
|
|
return true;
|
|
} catch (error) {
|
|
console.log('⚠️ ts-node not available, using file validation method');
|
|
return false;
|
|
}
|
|
}
|
|
|
|
// List of critical modules to pre-compile
|
|
const criticalModules = [
|
|
'./lib/enhanced-screenshot-batch.ts',
|
|
'./lib/ai-analysis-batch.ts',
|
|
'./lib/enhanced-screenshot.ts',
|
|
'./lib/ai-analysis.ts',
|
|
'./lib/tradingview-automation.ts',
|
|
'./lib/automation-service-simple.ts',
|
|
'./lib/progress-tracker.ts',
|
|
'./lib/drift-trading-final.ts'
|
|
];
|
|
|
|
// List of critical Next.js pages/API routes to warm up
|
|
const criticalPages = [
|
|
'/automation-v2',
|
|
'/api/ai-learning-status',
|
|
'/api/drift/positions',
|
|
'/api/drift/balance',
|
|
'/api/automation/status',
|
|
'/api/price-monitor',
|
|
'/api/analysis-optimized'
|
|
];
|
|
|
|
async function precompilePages() {
|
|
console.log('🔥 Pre-warming Next.js pages and API routes...');
|
|
|
|
for (const page of criticalPages) {
|
|
try {
|
|
console.log(` 🌡️ Warming: ${page}`);
|
|
|
|
if (page.startsWith('/api/')) {
|
|
// For API routes, just try to load the module
|
|
const apiPath = `./app${page}/route.js`;
|
|
if (require('fs').existsSync(apiPath)) {
|
|
console.log(` ✅ Found API route: ${page}`);
|
|
}
|
|
} else {
|
|
// For pages, just note them for later warm-up
|
|
console.log(` 📄 Page noted for warm-up: ${page}`);
|
|
}
|
|
} catch (error) {
|
|
console.log(` ⚠️ Could not pre-warm: ${page}`);
|
|
}
|
|
}
|
|
|
|
console.log('🔥 Page pre-warming preparation completed');
|
|
}
|
|
|
|
async function precompileModules() {
|
|
const hasTypeScript = setupTypeScript();
|
|
let compiled = 0;
|
|
let failed = 0;
|
|
|
|
console.log(`📦 Found ${criticalModules.length} critical modules to compile`);
|
|
|
|
for (const modulePath of criticalModules) {
|
|
const fullPath = path.resolve(modulePath);
|
|
|
|
if (!fs.existsSync(fullPath)) {
|
|
console.log(`⚠️ Module not found: ${modulePath}`);
|
|
continue;
|
|
}
|
|
|
|
try {
|
|
console.log(` 🔨 Compiling: ${modulePath}`);
|
|
|
|
if (hasTypeScript) {
|
|
// Use ts-node for proper TypeScript compilation
|
|
delete require.cache[require.resolve(fullPath)];
|
|
require(fullPath);
|
|
} else {
|
|
// Alternative: Try to syntax check the file
|
|
const content = fs.readFileSync(fullPath, 'utf8');
|
|
// Basic validation that the file can be read
|
|
if (content.length > 0) {
|
|
console.log(` 📄 Validated syntax: ${modulePath}`);
|
|
}
|
|
}
|
|
|
|
compiled++;
|
|
console.log(` ✅ Processed: ${modulePath}`);
|
|
|
|
} catch (error) {
|
|
failed++;
|
|
console.log(` ⚠️ Issue with: ${modulePath}`);
|
|
console.log(` Note: ${error.message.split('\n')[0]}`);
|
|
|
|
// Don't fail the entire process for individual module errors
|
|
}
|
|
}
|
|
|
|
console.log(`\n📊 Pre-compilation Summary:`);
|
|
console.log(` ✅ Successfully processed: ${compiled} modules`);
|
|
console.log(` ⚠️ Issues encountered: ${failed} modules`);
|
|
console.log(` 🎯 Total processed: ${criticalModules.length} modules`);
|
|
|
|
console.log('🚀 Pre-compilation completed - TypeScript modules prepared for faster execution!');
|
|
}
|
|
|
|
// Auto-discover additional TypeScript files in lib/ directory
|
|
function discoverAdditionalModules() {
|
|
const libDir = path.resolve('./lib');
|
|
|
|
if (!fs.existsSync(libDir)) {
|
|
return [];
|
|
}
|
|
|
|
const allTsFiles = fs.readdirSync(libDir)
|
|
.filter(file => file.endsWith('.ts') && !file.endsWith('.d.ts'))
|
|
.map(file => `./lib/${file}`)
|
|
.filter(filePath => !criticalModules.includes(filePath));
|
|
|
|
return allTsFiles;
|
|
}
|
|
|
|
// Add discovered modules
|
|
const additionalModules = discoverAdditionalModules();
|
|
if (additionalModules.length > 0) {
|
|
console.log(`🔍 Discovered ${additionalModules.length} additional TypeScript modules`);
|
|
criticalModules.push(...additionalModules);
|
|
}
|
|
|
|
// Run pre-compilation
|
|
async function runPrecompilation() {
|
|
await precompilePages();
|
|
await precompileModules();
|
|
}
|
|
|
|
runPrecompilation().catch(error => {
|
|
console.error('💥 Pre-compilation failed:', error);
|
|
process.exit(1);
|
|
}).then(() => {
|
|
// Explicitly exit after completion
|
|
process.exit(0);
|
|
});
|