dop-wallet-v6 1.3.0 → 1.3.2

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.
@@ -22,6 +22,8 @@ export declare class ReactNativeLevelDB {
22
22
  iterator(options?: any): any;
23
23
  private _schedulePersistence;
24
24
  private _persistData;
25
+ private _cleanupExtraChunks;
26
+ private _cleanupAllChunks;
25
27
  private _cleanupOldChunks;
26
28
  }
27
29
  /**
@@ -30,11 +32,11 @@ export declare class ReactNativeLevelDB {
30
32
  * This provides full database persistence while being compatible with React Native.
31
33
  *
32
34
  * @param walletSource - Name for your wallet implementation (max 16 chars, lowercase)
33
- * @param shouldDebug - Whether to forward Engine debug logs to Logger
35
+ * @param shouldDebug - Whether to forward Engine debug logs to console
34
36
  * @param artifactStore - Persistent store for downloading large artifact files
35
37
  * @param useNativeArtifacts - Whether to download native C++ artifacts (should be TRUE for mobile)
36
38
  * @param skipMerkletreeScans - Whether to skip merkletree syncs and private balance scans
37
39
  * @param verboseScanLogging - Enable verbose logging for scanning operations
38
40
  * @param databaseName - Name for the database (used as prefix in AsyncStorage)
39
41
  */
40
- export declare const startDopEngineReactNative: (walletSource: string, shouldDebug: boolean, artifactStore: ArtifactStore, useNativeArtifacts?: boolean, skipMerkletreeScans?: boolean, verboseScanLogging?: boolean, databaseName?: string) => Promise<void>;
42
+ export declare const startDopEngineReactNative: (walletSource: string, shouldDebug: boolean, artifactStore: ArtifactStore, useNativeArtifacts: boolean, skipMerkletreeScans: boolean, verboseScanLogging: boolean, databaseName?: string) => Promise<void>;
@@ -2,6 +2,7 @@
2
2
  Object.defineProperty(exports, "__esModule", { value: true });
3
3
  exports.startDopEngineReactNative = exports.ReactNativeLevelDB = void 0;
4
4
  const init_1 = require("./init");
5
+ const logger_1 = require("../../../utils/logger");
5
6
  // Use memdown for React Native database - with error handling
6
7
  let memdown;
7
8
  try {
@@ -99,29 +100,38 @@ class ReactNativeLevelDB {
99
100
  catch (jsonError) {
100
101
  throw new Error(`JSON parse failed: ${jsonError instanceof Error ? jsonError.message : String(jsonError)}`);
101
102
  }
102
- // Restore data to memdown instance
103
+ // Restore data to memdown instance using batch operations
103
104
  const keys = Object.keys(data);
104
105
  console.log(`📦 Restoring ${keys.length} entries to database...`);
106
+ // Prepare batch operations
107
+ const operations = [];
105
108
  for (const [key, value] of Object.entries(data)) {
106
- await new Promise((resolve, reject) => {
107
- // Restore Buffer/Uint8Array types from base64 with type marker
108
- let restoredValue = value;
109
- if (value && typeof value === 'object' && '__type' in value) {
110
- const typedValue = value;
111
- if (typedValue.__type === 'Buffer' && typeof typedValue.data === 'string') {
112
- restoredValue = Buffer.from(typedValue.data, 'base64');
113
- }
114
- else if (typedValue.__type === 'Uint8Array' && typeof typedValue.data === 'string') {
115
- restoredValue = new Uint8Array(Buffer.from(typedValue.data, 'base64'));
116
- }
109
+ // Restore Buffer/Uint8Array types from base64 with type marker
110
+ let restoredValue = value;
111
+ if (value && typeof value === 'object' && '__type' in value) {
112
+ const typedValue = value;
113
+ if (typedValue.__type === 'Buffer' && typeof typedValue.data === 'string') {
114
+ restoredValue = Buffer.from(typedValue.data, 'base64');
115
+ }
116
+ else if (typedValue.__type === 'Uint8Array' && typeof typedValue.data === 'string') {
117
+ restoredValue = new Uint8Array(Buffer.from(typedValue.data, 'base64'));
117
118
  }
118
- this.db.put(key, restoredValue, (err) => {
119
+ }
120
+ operations.push({ type: 'put', key, value: restoredValue });
121
+ }
122
+ // Restore in batches of 500 for better performance
123
+ const batchSize = 500;
124
+ for (let i = 0; i < operations.length; i += batchSize) {
125
+ const batch = operations.slice(i, i + batchSize);
126
+ await new Promise((resolve, reject) => {
127
+ this.db.batch(batch, (err) => {
119
128
  if (err)
120
129
  reject(err);
121
130
  else
122
131
  resolve();
123
132
  });
124
133
  });
134
+ console.log(`📦 Restored ${Math.min(i + batchSize, operations.length)}/${operations.length} entries...`);
125
135
  }
126
136
  console.log('✅ Successfully restored database from AsyncStorage');
127
137
  }
@@ -358,7 +368,10 @@ class ReactNativeLevelDB {
358
368
  this.persistTimeout = setTimeout(() => {
359
369
  if (this.isDirty) {
360
370
  this.isDirty = false;
361
- void this._persistData().catch(console.warn);
371
+ void this._persistData().catch((error) => {
372
+ console.error('⚠️ Scheduled persistence failed:', error?.message || error);
373
+ // Don't log full stack trace to avoid cluttering console
374
+ });
362
375
  }
363
376
  }, 30000); // Increased from 5s to 30s
364
377
  }
@@ -413,8 +426,6 @@ class ReactNativeLevelDB {
413
426
  }
414
427
  const serializeTime = Date.now() - startTime;
415
428
  const dataSizeMB = jsonData.length / 1024 / 1024;
416
- // Clean up old chunks before writing new data
417
- await this._cleanupOldChunks();
418
429
  // React Native AsyncStorage has a 6MB per-item limit and total quota limits
419
430
  // Use 500KB chunks to stay well within limits and avoid SQLITE_FULL errors
420
431
  const chunkSize = 512 * 1024; // 500KB chunks (conservative for Android)
@@ -436,40 +447,95 @@ class ReactNativeLevelDB {
436
447
  await this.AsyncStorage.setItem(`${this.storageKey}_chunk_${i}`, chunks[i]);
437
448
  }
438
449
  catch (chunkError) {
439
- // If we hit storage quota, clean up and throw
450
+ // If we hit storage quota, clean up partial writes and throw
440
451
  console.error(`❌ Failed to write chunk ${i}/${chunks.length}:`, chunkError);
441
452
  if (chunkError?.message?.includes('full') || chunkError?.code === 13) {
442
453
  console.error('💥 Storage quota exceeded! Cleaning up partial writes...');
443
- await this._cleanupOldChunks();
454
+ // Only clean up the chunks we just tried to write
455
+ for (let j = 0; j <= i; j += 1) {
456
+ await this.AsyncStorage.removeItem(`${this.storageKey}_chunk_${j}`).catch(() => { });
457
+ }
444
458
  throw new Error('AsyncStorage quota exceeded. Please clear app data or restart the app.');
445
459
  }
446
460
  throw chunkError;
447
461
  }
448
462
  }
463
+ // Clean up any extra chunks from previous saves (if we had more chunks before)
464
+ await this._cleanupExtraChunks(chunks.length);
449
465
  // Only update chunk count after all chunks are written successfully
450
466
  await this.AsyncStorage.setItem(`${this.storageKey}_chunks`, chunks.length.toString());
467
+ // Remove direct storage if it exists (migrating from direct to chunked)
468
+ await this.AsyncStorage.removeItem(this.storageKey).catch(() => { });
451
469
  const totalTime = Date.now() - startTime;
452
470
  console.log(`✅ Persisted ${entryCount} entries (${dataSizeMB.toFixed(2)}MB in ${chunks.length} chunks) in ${totalTime}ms (serialize: ${serializeTime}ms)`);
453
471
  }
454
472
  else {
455
473
  // Small data, store directly
456
474
  await this.AsyncStorage.setItem(this.storageKey, jsonData);
475
+ // Clean up chunked storage if it exists (migrating from chunked to direct)
476
+ await this._cleanupAllChunks();
457
477
  const totalTime = Date.now() - startTime;
458
478
  console.log(`✅ Persisted ${entryCount} entries (${(jsonData.length / 1024).toFixed(2)}KB) in ${totalTime}ms (serialize: ${serializeTime}ms)`);
459
479
  }
460
480
  }
461
481
  catch (error) {
462
482
  console.error('❌ Failed to persist data to AsyncStorage:', error);
483
+ console.error('Error details:', {
484
+ message: error?.message,
485
+ code: error?.code,
486
+ stack: error?.stack?.split('\n')[0]
487
+ });
463
488
  // If quota exceeded, clear everything to recover
464
489
  if (error?.message?.includes('quota') || error?.message?.includes('full')) {
465
490
  console.error('💥 Storage full! Clearing all AsyncStorage data for recovery...');
466
- await this._cleanupOldChunks();
491
+ await this._cleanupAllChunks();
467
492
  }
468
- // Mark as dirty again so we retry on next schedule
469
- this.isDirty = true;
470
- throw error;
493
+ // Don't mark as dirty - if persistence fails, we don't want to retry infinitely
494
+ // The data is still in memory (memdown) so the app can continue working
495
+ // this.isDirty = true;
496
+ // Don't throw - this allows the app to continue even if persistence fails
497
+ // throw error;
471
498
  }
472
499
  }
500
+ async _cleanupExtraChunks(keepChunkCount) {
501
+ if (!this.AsyncStorage)
502
+ return;
503
+ try {
504
+ // Remove chunks beyond the new count (cleanup old data)
505
+ for (let i = keepChunkCount; i < 200; i += 1) {
506
+ const chunkKey = `${this.storageKey}_chunk_${i}`;
507
+ const exists = await this.AsyncStorage.getItem(chunkKey);
508
+ if (!exists) {
509
+ break; // No more chunks to clean
510
+ }
511
+ await this.AsyncStorage.removeItem(chunkKey);
512
+ }
513
+ }
514
+ catch (cleanupError) {
515
+ console.warn('⚠️ Error during extra chunk cleanup:', cleanupError);
516
+ }
517
+ }
518
+ async _cleanupAllChunks() {
519
+ if (!this.AsyncStorage)
520
+ return;
521
+ try {
522
+ // Remove chunk metadata
523
+ await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);
524
+ // Remove all chunk entries (try up to 200 chunks)
525
+ for (let i = 0; i < 200; i += 1) {
526
+ const chunkKey = `${this.storageKey}_chunk_${i}`;
527
+ const exists = await this.AsyncStorage.getItem(chunkKey);
528
+ if (!exists) {
529
+ break; // No more chunks to clean
530
+ }
531
+ await this.AsyncStorage.removeItem(chunkKey);
532
+ }
533
+ }
534
+ catch (cleanupError) {
535
+ console.warn('⚠️ Error during chunk cleanup:', cleanupError);
536
+ }
537
+ }
538
+ // Keep old method for clearing persisted data (full cleanup)
473
539
  async _cleanupOldChunks() {
474
540
  if (!this.AsyncStorage)
475
541
  return;
@@ -481,18 +547,11 @@ class ReactNativeLevelDB {
481
547
  // Remove all chunk entries (try up to 200 chunks)
482
548
  for (let i = 0; i < 200; i += 1) {
483
549
  const chunkKey = `${this.storageKey}_chunk_${i}`;
484
- try {
485
- await this.AsyncStorage.removeItem(chunkKey);
486
- }
487
- catch {
488
- // Ignore errors, chunk may not exist
489
- break;
490
- }
550
+ await this.AsyncStorage.removeItem(chunkKey).catch(() => { });
491
551
  }
492
552
  }
493
553
  catch (cleanupError) {
494
- console.warn('⚠️ Error during chunk cleanup:', cleanupError);
495
- // Don't throw, continue with persistence
554
+ console.warn('⚠️ Error during full cleanup:', cleanupError);
496
555
  }
497
556
  }
498
557
  }
@@ -503,14 +562,14 @@ exports.ReactNativeLevelDB = ReactNativeLevelDB;
503
562
  * This provides full database persistence while being compatible with React Native.
504
563
  *
505
564
  * @param walletSource - Name for your wallet implementation (max 16 chars, lowercase)
506
- * @param shouldDebug - Whether to forward Engine debug logs to Logger
565
+ * @param shouldDebug - Whether to forward Engine debug logs to console
507
566
  * @param artifactStore - Persistent store for downloading large artifact files
508
567
  * @param useNativeArtifacts - Whether to download native C++ artifacts (should be TRUE for mobile)
509
568
  * @param skipMerkletreeScans - Whether to skip merkletree syncs and private balance scans
510
569
  * @param verboseScanLogging - Enable verbose logging for scanning operations
511
570
  * @param databaseName - Name for the database (used as prefix in AsyncStorage)
512
571
  */
513
- const startDopEngineReactNative = async (walletSource, shouldDebug, artifactStore, useNativeArtifacts = true, skipMerkletreeScans = false, verboseScanLogging = false, databaseName = 'dop-wallet-db') => {
572
+ const startDopEngineReactNative = async (walletSource, shouldDebug, artifactStore, useNativeArtifacts, skipMerkletreeScans, verboseScanLogging, databaseName = 'dop-wallet-db') => {
514
573
  // Create React Native compatible database instance with AsyncStorage persistence
515
574
  const db = new ReactNativeLevelDB(databaseName);
516
575
  // Ensure database is opened before proceeding
@@ -522,6 +581,17 @@ const startDopEngineReactNative = async (walletSource, shouldDebug, artifactStor
522
581
  resolve();
523
582
  });
524
583
  });
584
+ // Set up console logging for React Native
585
+ if (shouldDebug) {
586
+ (0, logger_1.setLoggers)((msg) => console.log(`[DOP Wallet] ${msg}`), (err) => {
587
+ if (err instanceof Error) {
588
+ console.error(`[DOP Wallet Error] ${err.message}`, err);
589
+ }
590
+ else {
591
+ console.error(`[DOP Wallet Error] ${err}`);
592
+ }
593
+ });
594
+ }
525
595
  // Initialize the DOP Engine with the React Native database
526
596
  return (0, init_1.startDopEngine)(walletSource, db, // Cast to any since TypeScript doesn't know about our custom implementation
527
597
  shouldDebug, artifactStore, useNativeArtifacts, skipMerkletreeScans, verboseScanLogging);
@@ -1 +1 @@
1
- {"version":3,"file":"react-native-init.js","sourceRoot":"","sources":["../../../../src/services/dop/core/react-native-init.ts"],"names":[],"mappings":";;;AAcA,iCAAwC;AAExC,8DAA8D;AAC9D,IAAI,OAAY,CAAC;AACjB,IAAI;IACF,OAAO,GAAG,OAAO,CAAC,SAAS,CAAC,CAAC;CAC9B;AAAC,OAAO,KAAK,EAAE;IACd,MAAM,IAAI,KAAK,CACb,2DAA2D;QAC3D,oDAAoD,CACrD,CAAC;CACH;AAED;;;GAGG;AACH,MAAa,kBAAkB;IACrB,EAAE,CAAM;IACR,UAAU,CAAS;IACnB,YAAY,CAAM;IAClB,cAAc,GAAyC,IAAI,CAAC;IAC5D,OAAO,GAAG,KAAK,CAAC;IAExB,YAAY,IAAY;QACtB,IAAI,CAAC,UAAU,GAAG,WAAW,IAAI,EAAE,CAAC;QACpC,IAAI,CAAC,EAAE,GAAG,OAAO,EAAE,CAAC;QAEpB,2DAA2D;QAC3D,IAAI;YACF,+DAA+D;YAC/D,IAAI,CAAC,YAAY,GAAG,OAAO,CAAC,2CAA2C,CAAC,CAAC,OAAO,CAAC;SAClF;QAAC,OAAO,KAAK,EAAE;YACd,4EAA4E;YAC5E,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC;SAC1B;IACH,CAAC;IAED,wCAAwC;IACxC,KAAK,CAAC,IAAI,CAAC,iBAAuB,EAAE,QAAkC;QACpE,oEAAoE;QACpE,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,2BAA2B;YAC3B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,oCAAoC;YACpC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,oEAAoE;YACpE,MAAM,IAAI,KAAK,CAAC,qCAAqC,CAAC,CAAC;SACxD;QAED,IAAI;YACF,4DAA4D;YAC5D,IAAI,IAAI,CAAC,YAAY,EAAE;gBACrB,IAAI;oBACF,IAAI,aAAa,GAAkB,IAAI,CAAC;oBAExC,oCAAoC;oBACpC,MAAM,WAAW,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;oBAEjF,IAAI,WAAW,EAAE;wBACf,OAAO,CAAC,GAAG,CAAC,4BAA4B,MAAM,CAAC,WAAW,CAAC,YAAY,CAAC,CAAC;wBACzE,yBAAyB;wBACzB,MAAM,MAAM,GAAa,EAAE,CAAC;wBAC5B,MAAM,KAAK,GAAG,QAAQ,CAAC,WAAW,EAAE,EAAE,CAAC,CAAC;wBAExC,IAAI,MAAM,CAAC,KAAK,CAAC,KAAK,CAAC,IAAI,KAAK,GAAG,CAAC,IAAI,KAAK,GAAG,IAAI,EAAE;4BACpD,MAAM,IAAI,KAAK,CAAC,wBAAwB,MAAM,CAAC,WAAW,CAAC,EAAE,CAAC,CAAC;yBAChE;wBAED,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,KAAK,EAAE,CAAC,IAAI,CAAC,EAAE;4BACjC,MAAM,KAAK,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC,CAAC;4BAC/E,IAAI,KAAK,EAAE;gCACT,MAAM,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC;6BACpB;iCAAM;gCACL,OAAO,CAAC,IAAI,CAAC,oBAAoB,CAAC,OAAO,KAAK,0BAA0B,CAAC,CAAC;6BAC3E;yBACF;wBAED,IAAI,MAAM,CAAC,MAAM,KAAK,CAAC,EAAE;4BACvB,MAAM,IAAI,KAAK,CAAC,0CAA0C,CAAC,CAAC;yBAC7D;wBAED,aAAa,GAAG,MAAM,CAAC,IAAI,CAAC,EAAE,CAAC,CAAC;wBAChC,OAAO,CAAC,GAAG,CAAC,kBAAkB,MAAM,CAAC,MAAM,IAAI,KAAK,YAAY,CAAC,aAAa,CAAC,MAAM,GAAG,IAAI,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC;qBACvH;yBAAM;wBACL,2BAA2B;wBAC3B,aAAa,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;wBACjE,IAAI,aAAa,EAAE;4BACjB,OAAO,CAAC,GAAG,CAAC,iCAAiC,CAAC,aAAa,CAAC,MAAM,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC;yBAC7F;qBACF;oBAED,IAAI,aAAa,EAAE;wBACjB,+BAA+B;wBAC/B,IAAI,CAAC,aAAa,CAAC,IAAI,EAAE,CAAC,UAAU,CAAC,GAAG,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,EAAE,CAAC,QAAQ,CAAC,GAAG,CAAC,EAAE;4BAChF,MAAM,IAAI,KAAK,CAAC,+DAA+D,CAAC,CAAC;yBAClF;wBAED,IAAI,IAAyB,CAAC;wBAC9B,IAAI;4BACF,IAAI,GAAG,IAAI,CAAC,KAAK,CAAC,aAAa,CAAC,CAAC;yBAClC;wBAAC,OAAO,SAAS,EAAE;4BAClB,MAAM,IAAI,KAAK,CAAC,sBAAsB,SAAS,YAAY,KAAK,CAAC,CAAC,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC,MAAM,CAAC,SAAS,CAAC,EAAE,CAAC,CAAC;yBAC7G;wBAED,mCAAmC;wBACnC,MAAM,IAAI,GAAG,MAAM,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;wBAC/B,OAAO,CAAC,GAAG,CAAC,gBAAgB,IAAI,CAAC,MAAM,yBAAyB,CAAC,CAAC;wBAElE,KAAK,MAAM,CAAC,GAAG,EAAE,KAAK,CAAC,IAAI,MAAM,CAAC,OAAO,CAAC,IAAI,CAAC,EAAE;4BAC/C,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;gCAC1C,+DAA+D;gCAC/D,IAAI,aAAa,GAAG,KAAK,CAAC;gCAC1B,IAAI,KAAK,IAAI,OAAO,KAAK,KAAK,QAAQ,IAAI,QAAQ,IAAI,KAAK,EAAE;oCAC3D,MAAM,UAAU,GAAG,KAAyC,CAAC;oCAC7D,IAAI,UAAU,CAAC,MAAM,KAAK,QAAQ,IAAI,OAAO,UAAU,CAAC,IAAI,KAAK,QAAQ,EAAE;wCACzE,aAAa,GAAG,MAAM,CAAC,IAAI,CAAC,UAAU,CAAC,IAAI,EAAE,QAAQ,CAAC,CAAC;qCACxD;yCAAM,IAAI,UAAU,CAAC,MAAM,KAAK,YAAY,IAAI,OAAO,UAAU,CAAC,IAAI,KAAK,QAAQ,EAAE;wCACpF,aAAa,GAAG,IAAI,UAAU,CAAC,MAAM,CAAC,IAAI,CAAC,UAAU,CAAC,IAAI,EAAE,QAAQ,CAAC,CAAC,CAAC;qCACxE;iCACF;gCAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,aAAa,EAAE,CAAC,GAAQ,EAAE,EAAE;oCAC3C,IAAI,GAAG;wCAAE,MAAM,CAAC,GAAG,CAAC,CAAC;;wCAChB,OAAO,EAAE,CAAC;gCACjB,CAAC,CAAC,CAAC;4BACL,CAAC,CAAC,CAAC;yBACJ;wBACD,OAAO,CAAC,GAAG,CAAC,oDAAoD,CAAC,CAAC;qBACnE;yBAAM;wBACL,OAAO,CAAC,GAAG,CAAC,0DAA0D,CAAC,CAAC;qBACzE;iBACF;gBAAC,OAAO,iBAAiB,EAAE;oBAC1B,OAAO,CAAC,KAAK,CAAC,iFAAiF,EAAE,iBAAiB,CAAC,CAAC;oBAEpH,uBAAuB;oBACvB,IAAI;wBACF,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;wBACpD,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;wBAEhE,8CAA8C;wBAC9C,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;4BAC/B,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;4BACjD,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;4BACzD,IAAI,MAAM,EAAE;gCACV,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;6BAC9C;iCAAM;gCACL,MAAM,CAAC,iBAAiB;6BACzB;yBACF;wBACD,OAAO,CAAC,GAAG,CAAC,wCAAwC,CAAC,CAAC;qBACvD;oBAAC,OAAO,UAAU,EAAE;wBACnB,OAAO,CAAC,IAAI,CAAC,oCAAoC,EAAE,UAAU,CAAC,CAAC;qBAChE;iBACF;aACF;YAED,4BAA4B;YAC5B,IAAI,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE,CAAC,CAAC;SAClB;QAAC,OAAO,KAAK,EAAE;YACd,EAAE,CAAC,KAAc,CAAC,CAAC;SACpB;IACH,CAAC;IAED,KAAK,CAAC,QAAiC;QACrC,oCAAoC;QACpC,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;YAClC,IAAI,CAAC,cAAc,GAAG,IAAI,CAAC;SAC5B;QAED,sDAAsD;QACtD,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE;YACrC,OAAO,CAAC,GAAG,CAAC,wCAAwC,CAAC,CAAC;YACtD,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;YACrB,IAAI,CAAC,YAAY,EAAE;gBACjB,+DAA+D;iBAC9D,IAAI,CAAC,GAAG,EAAE;gBACT,OAAO,CAAC,GAAG,CAAC,kCAAkC,CAAC,CAAC;gBAChD,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;YAC1B,CAAC,CAAC;iBACD,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE;gBACf,OAAO,CAAC,IAAI,CAAC,gCAAgC,EAAE,KAAK,CAAC,CAAC;gBACtD,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;YAC1B,CAAC,CAAC,CAAC;SACN;aAAM;YACL,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;SACzB;IACH,CAAC;IAED,6EAA6E;IAC7E,KAAK,CAAC,YAAY;QAChB,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;YAClC,IAAI,CAAC,cAAc,GAAG,IAAI,CAAC;SAC5B;QACD,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE;YACrC,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;YACrB,MAAM,IAAI,CAAC,YAAY,EAAE,CAAC;SAC3B;IACH,CAAC;IAED,2FAA2F;IAC3F,KAAK,CAAC,kBAAkB;QACtB,OAAO,CAAC,GAAG,CAAC,8DAA8D,CAAC,CAAC;QAC5E,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;QAC/B,OAAO,CAAC,GAAG,CAAC,8BAA8B,CAAC,CAAC;IAC9C,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,KAAU,EAAE,iBAAuB,EAAE,QAAkC;QACnF,0FAA0F;QAC1F,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,sCAAsC;YACtC,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,+CAA+C;YAC/C,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,KAAK,EAAE,CAAC,GAAQ,EAAE,EAAE;YACnC,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,iBAAuB,EAAE,QAA+C;QACpF,4EAA4E;QAC5E,IAAI,EAAwC,CAAC;QAE7C,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,+BAA+B;YAC/B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,wCAAwC;YACxC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,EAAE,CAAC,CAAC;IACvB,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,iBAAuB,EAAE,QAAkC;QACvE,4EAA4E;QAC5E,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,+BAA+B;YAC/B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,wCAAwC;YACxC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,GAAQ,EAAE,EAAE;YAC5B,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,KAAK,CAAC,OAAY,EAAE,QAAiC;QACnD,qDAAqD;QACrD,8DAA8D;QAC9D,MAAM,EAAE,GAAG,EAAE,GAAG,EAAE,EAAE,EAAE,EAAE,EAAE,GAAG,OAAO,IAAI,EAAE,CAAC;QAE3C,IAAI,CAAC,GAAG,IAAI,CAAC,EAAE,EAAE;YACf,QAAQ,CAAC,IAAI,KAAK,CAAC,mCAAmC,CAAC,CAAC,CAAC;YACzD,OAAO;SACR;QAED,6DAA6D;QAC7D,MAAM,YAAY,GAAU,EAAE,CAAC;QAC/B,MAAM,QAAQ,GAAG,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC;YAChC,GAAG;YACH,GAAG;YACH,EAAE;YACF,EAAE;YACF,IAAI,EAAE,IAAI;YACV,MAAM,EAAE,KAAK;SACd,CAAC,CAAC;QAEH,MAAM,WAAW,GAAG,GAAG,EAAE;YACvB,QAAQ,CAAC,IAAI,CAAC,CAAC,GAAQ,EAAE,GAAQ,EAAE,EAAE;gBACnC,IAAI,GAAG,EAAE;oBACP,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE;wBAChB,QAAQ,CAAC,GAAG,CAAC,CAAC;oBAChB,CAAC,CAAC,CAAC;oBACH,OAAO;iBACR;gBAED,IAAI,GAAG,KAAK,SAAS,EAAE;oBACrB,+CAA+C;oBAC/C,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE;wBAChB,IAAI,YAAY,CAAC,MAAM,KAAK,CAAC,EAAE;4BAC7B,QAAQ,EAAE,CAAC;4BACX,OAAO;yBACR;wBAED,uBAAuB;wBACvB,MAAM,UAAU,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,IAAI,EAAE,KAAK,EAAE,GAAG,EAAE,CAAC,EAAE,CAAC,CAAC,CAAC;wBACpE,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,UAAU,EAAE,CAAC,QAAa,EAAE,EAAE;4BAC1C,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,YAAY,EAAE;gCAClC,IAAI,CAAC,oBAAoB,EAAE,CAAC;6BAC7B;4BACD,QAAQ,CAAC,QAAQ,CAAC,CAAC;wBACrB,CAAC,CAAC,CAAC;oBACL,CAAC,CAAC,CAAC;oBACH,OAAO;iBACR;gBAED,YAAY,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;gBACvB,WAAW,EAAE,CAAC;YAChB,CAAC,CAAC,CAAC;QACL,CAAC,CAAC;QAEF,WAAW,EAAE,CAAC;IAChB,CAAC;IAED,KAAK,CAAC,oBAA0B,EAAE,iBAAuB,EAAE,QAAkC;QAC3F,oCAAoC;QACpC,kCAAkC;QAClC,8BAA8B;QAC9B,uCAAuC;QAEvC,IAAI,SAAS,CAAC,MAAM,KAAK,CAAC,EAAE;YAC1B,gEAAgE;YAChE,OAAO,IAAI,CAAC,EAAE,CAAC,KAAK,EAAE,CAAC;SACxB;QAED,wCAAwC;QACxC,MAAM,UAAU,GAAG,oBAAoB,CAAC;QACxC,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,wCAAwC;YACxC,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,mDAAmD;YACnD,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,sCAAsC,CAAC,CAAC;SACzD;QAED,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,UAAU,EAAE,CAAC,GAAQ,EAAE,EAAE;YACrC,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,QAAQ,CAAC,OAAa;QACpB,+DAA+D;QAC/D,OAAO,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC,OAAO,CAAC,CAAC;IACnC,CAAC;IAEO,oBAAoB;QAC1B,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC;QAEpB,yBAAyB;QACzB,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;SACnC;QAED,qFAAqF;QACrF,iFAAiF;QACjF,IAAI,CAAC,cAAc,GAAG,UAAU,CAAC,GAAG,EAAE;YACpC,IAAI,IAAI,CAAC,OAAO,EAAE;gBAChB,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;gBACrB,KAAK,IAAI,CAAC,YAAY,EAAE,CAAC,KAAK,CAAC,OAAO,CAAC,IAAI,CAAC,CAAC;aAC9C;QACH,CAAC,EAAE,KAAK,CAAC,CAAC,CAAC,2BAA2B;IACxC,CAAC;IAEO,KAAK,CAAC,YAAY;QACxB,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,CAAC;QAC7B,IAAI,UAAU,GAAG,CAAC,CAAC;QAEnB,IAAI;YACF,MAAM,IAAI,GAAwB,EAAE,CAAC;YACrC,MAAM,QAAQ,GAAG,IAAI,CAAC,EAAE,CAAC,QAAQ,EAAE,CAAC;YAEpC,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;gBAC1C,MAAM,WAAW,GAAG,GAAG,EAAE;oBACvB,QAAQ,CAAC,IAAI,CAAC,CAAC,GAAQ,EAAE,GAAQ,EAAE,KAAU,EAAE,EAAE;wBAC/C,IAAI,GAAG,EAAE;4BACP,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,CAAC;4BAChC,OAAO;yBACR;wBAED,IAAI,GAAG,KAAK,SAAS,EAAE;4BACrB,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,OAAO,EAAE,CAAC,CAAC;4BAC9B,OAAO;yBACR;wBAED,UAAU,IAAI,CAAC,CAAC;wBAEhB,4EAA4E;wBAC5E,IAAI,MAAM,CAAC,QAAQ,CAAC,KAAK,CAAC,EAAE;4BAC1B,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG;gCACrB,MAAM,EAAE,QAAQ;gCAChB,IAAI,EAAE,KAAK,CAAC,QAAQ,CAAC,QAAQ,CAAC;6BAC/B,CAAC;yBACH;6BAAM,IAAI,KAAK,YAAY,UAAU,EAAE;4BACtC,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG;gCACrB,MAAM,EAAE,YAAY;gCACpB,IAAI,EAAE,MAAM,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC,QAAQ,CAAC,QAAQ,CAAC;6BAC5C,CAAC;yBACH;6BAAM;4BACL,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG,KAAK,CAAC;yBAC9B;wBACD,WAAW,EAAE,CAAC;oBAChB,CAAC,CAAC,CAAC;gBACL,CAAC,CAAC;gBACF,WAAW,EAAE,CAAC;YAChB,CAAC,CAAC,CAAC;YAEH,iBAAiB;YACjB,IAAI,QAAgB,CAAC;YACrB,IAAI;gBACF,QAAQ,GAAG,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC;aACjC;YAAC,OAAO,cAAc,EAAE;gBACvB,MAAM,IAAI,KAAK,CAAC,6BAA6B,cAAc,YAAY,KAAK,CAAC,CAAC,CAAC,cAAc,CAAC,OAAO,CAAC,CAAC,CAAC,MAAM,CAAC,cAAc,CAAC,EAAE,CAAC,CAAC;aACnI;YAED,MAAM,aAAa,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;YAC7C,MAAM,UAAU,GAAG,QAAQ,CAAC,MAAM,GAAG,IAAI,GAAG,IAAI,CAAC;YAEjD,8CAA8C;YAC9C,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;YAE/B,4EAA4E;YAC5E,2EAA2E;YAC3E,MAAM,SAAS,GAAG,GAAG,GAAG,IAAI,CAAC,CAAC,0CAA0C;YAExE,IAAI,QAAQ,CAAC,MAAM,GAAG,SAAS,EAAE;gBAC/B,+BAA+B;gBAC/B,MAAM,MAAM,GAAa,EAAE,CAAC;gBAC5B,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,QAAQ,CAAC,MAAM,EAAE,CAAC,IAAI,SAAS,EAAE;oBACnD,MAAM,CAAC,IAAI,CAAC,QAAQ,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,GAAG,SAAS,CAAC,CAAC,CAAC;iBAC/C;gBAED,OAAO,CAAC,GAAG,CAAC,cAAc,MAAM,CAAC,MAAM,YAAY,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,QAAQ,CAAC,CAAC;gBAElF,iDAAiD;gBACjD,IAAI,UAAU,GAAG,EAAE,EAAE;oBACnB,OAAO,CAAC,IAAI,CAAC,8BAA8B,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,kCAAkC,CAAC,CAAC;iBACrG;gBAED,+DAA+D;gBAC/D,+CAA+C;gBAC/C,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,MAAM,CAAC,MAAM,EAAE,CAAC,IAAI,CAAC,EAAE;oBACzC,IAAI;wBACF,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,EAAE,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC;qBAC7E;oBAAC,OAAO,UAAe,EAAE;wBACxB,8CAA8C;wBAC9C,OAAO,CAAC,KAAK,CAAC,2BAA2B,CAAC,IAAI,MAAM,CAAC,MAAM,GAAG,EAAE,UAAU,CAAC,CAAC;wBAC5E,IAAI,UAAU,EAAE,OAAO,EAAE,QAAQ,CAAC,MAAM,CAAC,IAAI,UAAU,EAAE,IAAI,KAAK,EAAE,EAAE;4BACpE,OAAO,CAAC,KAAK,CAAC,0DAA0D,CAAC,CAAC;4BAC1E,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;4BAC/B,MAAM,IAAI,KAAK,CAAC,wEAAwE,CAAC,CAAC;yBAC3F;wBACD,MAAM,UAAU,CAAC;qBAClB;iBACF;gBAED,oEAAoE;gBACpE,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,EAAE,MAAM,CAAC,MAAM,CAAC,QAAQ,EAAE,CAAC,CAAC;gBAEvF,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;gBACzC,OAAO,CAAC,GAAG,CAAC,eAAe,UAAU,aAAa,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,SAAS,MAAM,CAAC,MAAM,eAAe,SAAS,kBAAkB,aAAa,KAAK,CAAC,CAAC;aAC5J;iBAAM;gBACL,6BAA6B;gBAC7B,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,IAAI,CAAC,UAAU,EAAE,QAAQ,CAAC,CAAC;gBAE3D,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;gBACzC,OAAO,CAAC,GAAG,CAAC,eAAe,UAAU,aAAa,CAAC,QAAQ,CAAC,MAAM,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,UAAU,SAAS,kBAAkB,aAAa,KAAK,CAAC,CAAC;aAC/I;SACF;QAAC,OAAO,KAAU,EAAE;YACnB,OAAO,CAAC,KAAK,CAAC,2CAA2C,EAAE,KAAK,CAAC,CAAC;YAElE,iDAAiD;YACjD,IAAI,KAAK,EAAE,OAAO,EAAE,QAAQ,CAAC,OAAO,CAAC,IAAI,KAAK,EAAE,OAAO,EAAE,QAAQ,CAAC,MAAM,CAAC,EAAE;gBACzE,OAAO,CAAC,KAAK,CAAC,iEAAiE,CAAC,CAAC;gBACjF,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;aAChC;YAED,mDAAmD;YACnD,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC;YACpB,MAAM,KAAK,CAAC;SACb;IACH,CAAC;IAEO,KAAK,CAAC,iBAAiB;QAC7B,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,IAAI;YACF,wBAAwB;YACxB,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;YAEhE,wCAAwC;YACxC,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;YAEpD,kDAAkD;YAClD,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;gBAC/B,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;gBACjD,IAAI;oBACF,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;iBAC9C;gBAAC,MAAM;oBACN,qCAAqC;oBACrC,MAAM;iBACP;aACF;SACF;QAAC,OAAO,YAAY,EAAE;YACrB,OAAO,CAAC,IAAI,CAAC,gCAAgC,EAAE,YAAY,CAAC,CAAC;YAC7D,yCAAyC;SAC1C;IACH,CAAC;CACF;AAxgBD,gDAwgBC;AAED;;;;;;;;;;;;GAYG;AACI,MAAM,yBAAyB,GAAG,KAAK,EAC5C,YAAoB,EACpB,WAAoB,EACpB,aAA4B,EAC5B,kBAAkB,GAAG,IAAI,EACzB,mBAAmB,GAAG,KAAK,EAC3B,kBAAkB,GAAG,KAAK,EAC1B,YAAY,GAAG,eAAe,EACf,EAAE;IACjB,iFAAiF;IACjF,MAAM,EAAE,GAAG,IAAI,kBAAkB,CAAC,YAAY,CAAC,CAAC;IAEhD,8CAA8C;IAC9C,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;QAC1C,EAAE,CAAC,IAAI,CAAC,CAAC,KAAa,EAAE,EAAE;YACxB,IAAI,KAAK;gBAAE,MAAM,CAAC,KAAK,CAAC,CAAC;;gBACpB,OAAO,EAAE,CAAC;QACjB,CAAC,CAAC,CAAC;IACL,CAAC,CAAC,CAAC;IAEH,2DAA2D;IAC3D,OAAO,IAAA,qBAAc,EACnB,YAAY,EACZ,EAAS,EAAE,4EAA4E;IACvF,WAAW,EACX,aAAa,EACb,kBAAkB,EAClB,mBAAmB,EACnB,kBAAkB,CACnB,CAAC;AACJ,CAAC,CAAC;AA9BW,QAAA,yBAAyB,6BA8BpC","sourcesContent":["/* eslint-disable @typescript-eslint/no-var-requires */\n/* eslint-disable @typescript-eslint/no-unsafe-assignment */\n/* eslint-disable @typescript-eslint/no-unsafe-call */\n/* eslint-disable @typescript-eslint/no-unsafe-argument */\n/* eslint-disable @typescript-eslint/no-unsafe-member-access */\n/* eslint-disable @typescript-eslint/no-explicit-any */\n/* eslint-disable @typescript-eslint/strict-boolean-expressions */\n/* eslint-disable no-underscore-dangle */\n/* eslint-disable no-console */\n/* eslint-disable no-await-in-loop */\n/* eslint-disable @typescript-eslint/no-floating-promises */\n/* eslint-disable global-require */\n/* eslint-disable no-void */\nimport { ArtifactStore } from '../../artifacts/artifact-store';\nimport { startDopEngine } from './init';\n\n// Use memdown for React Native database - with error handling\nlet memdown: any;\ntry {\n memdown = require('memdown');\n} catch (error) {\n throw new Error(\n 'memdown dependency is required for React Native support. ' +\n 'Please install it with: npm install memdown@^6.1.1'\n );\n}\n\n/**\n * React Native compatible LevelDB implementation using memdown with AsyncStorage persistence.\n * This provides a persistent database solution that works reliably in React Native environments.\n */\nexport class ReactNativeLevelDB {\n private db: any;\n private storageKey: string;\n private AsyncStorage: any;\n private persistTimeout: ReturnType<typeof setTimeout> | null = null;\n private isDirty = false;\n\n constructor(name: string) {\n this.storageKey = `leveldb_${name}`;\n this.db = memdown();\n \n // Dynamically import AsyncStorage to avoid bundling issues\n try {\n // Try to require AsyncStorage - this will work in React Native\n this.AsyncStorage = require('@react-native-async-storage/async-storage').default;\n } catch (error) {\n // AsyncStorage not available - this is expected in Node.js test environment\n this.AsyncStorage = null;\n }\n }\n\n // Implement AbstractLevelDOWN interface\n async open(callbackOrOptions?: any, callback?: (error?: Error) => void): Promise<void> {\n // Handle both open(callback) and open(options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof callbackOrOptions === 'function') {\n // open(callback) signature\n cb = callbackOrOptions;\n } else if (typeof callback === 'function') {\n // open(options, callback) signature\n cb = callback;\n } else {\n // No callback provided - this shouldn't happen in AbstractLevelDOWN\n throw new Error('No callback provided to open method');\n }\n\n try {\n // Load persisted data from AsyncStorage (only if available)\n if (this.AsyncStorage) {\n try {\n let persistedData: string | null = null;\n \n // Check if data is stored in chunks\n const chunksCount = await this.AsyncStorage.getItem(`${this.storageKey}_chunks`);\n \n if (chunksCount) {\n console.log(`📦 Loading database from ${String(chunksCount)} chunks...`);\n // Reassemble from chunks\n const chunks: string[] = [];\n const count = parseInt(chunksCount, 10);\n \n if (Number.isNaN(count) || count < 0 || count > 1000) {\n throw new Error(`Invalid chunk count: ${String(chunksCount)}`);\n }\n \n for (let i = 0; i < count; i += 1) {\n const chunk = await this.AsyncStorage.getItem(`${this.storageKey}_chunk_${i}`);\n if (chunk) {\n chunks.push(chunk);\n } else {\n console.warn(`⚠️ Missing chunk ${i} of ${count}, data may be incomplete`);\n }\n }\n \n if (chunks.length === 0) {\n throw new Error('No chunks found, but chunk count was set');\n }\n \n persistedData = chunks.join('');\n console.log(`📦 Reassembled ${chunks.length}/${count} chunks (${(persistedData.length / 1024 / 1024).toFixed(2)}MB)`);\n } else {\n // Try to get data directly\n persistedData = await this.AsyncStorage.getItem(this.storageKey);\n if (persistedData) {\n console.log(`📦 Loading database directly (${(persistedData.length / 1024).toFixed(2)}KB)`);\n }\n }\n \n if (persistedData) {\n // Validate JSON before parsing\n if (!persistedData.trim().startsWith('{') || !persistedData.trim().endsWith('}')) {\n throw new Error('Persisted data does not look like valid JSON (missing braces)');\n }\n \n let data: Record<string, any>;\n try {\n data = JSON.parse(persistedData);\n } catch (jsonError) {\n throw new Error(`JSON parse failed: ${jsonError instanceof Error ? jsonError.message : String(jsonError)}`);\n }\n \n // Restore data to memdown instance\n const keys = Object.keys(data);\n console.log(`📦 Restoring ${keys.length} entries to database...`);\n \n for (const [key, value] of Object.entries(data)) {\n await new Promise<void>((resolve, reject) => {\n // Restore Buffer/Uint8Array types from base64 with type marker\n let restoredValue = value;\n if (value && typeof value === 'object' && '__type' in value) {\n const typedValue = value as { __type: string; data: string };\n if (typedValue.__type === 'Buffer' && typeof typedValue.data === 'string') {\n restoredValue = Buffer.from(typedValue.data, 'base64');\n } else if (typedValue.__type === 'Uint8Array' && typeof typedValue.data === 'string') {\n restoredValue = new Uint8Array(Buffer.from(typedValue.data, 'base64'));\n }\n }\n \n this.db.put(key, restoredValue, (err: any) => {\n if (err) reject(err);\n else resolve();\n });\n });\n }\n console.log('✅ Successfully restored database from AsyncStorage');\n } else {\n console.log('ℹ️ No persisted data found, starting with empty database');\n }\n } catch (asyncStorageError) {\n console.error('❌ Failed to load from AsyncStorage, clearing corrupted data and starting fresh:', asyncStorageError);\n \n // Clear corrupted data\n try {\n await this.AsyncStorage.removeItem(this.storageKey);\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);\n \n // Try to remove chunks (up to 100 chunks max)\n for (let i = 0; i < 100; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n const exists = await this.AsyncStorage.getItem(chunkKey);\n if (exists) {\n await this.AsyncStorage.removeItem(chunkKey);\n } else {\n break; // No more chunks\n }\n }\n console.log('🧹 Cleared corrupted AsyncStorage data');\n } catch (clearError) {\n console.warn('⚠️ Failed to clear corrupted data:', clearError);\n }\n }\n }\n \n // Open the memdown database\n this.db.open(cb);\n } catch (error) {\n cb(error as Error);\n }\n }\n\n close(callback: (error?: Error) => void): void {\n // Clear pending persistence timeout\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n this.persistTimeout = null;\n }\n \n // Force immediate persistence before closing if dirty\n if (this.isDirty && this.AsyncStorage) {\n console.log('💾 Persisting database before close...');\n this.isDirty = false;\n this._persistData()\n // eslint-disable-next-line @typescript-eslint/no-unsafe-return\n .then(() => {\n console.log('✅ Database persisted, closing...');\n this.db.close(callback);\n })\n .catch((error) => {\n console.warn('⚠️ Failed to persist on close:', error);\n this.db.close(callback);\n });\n } else {\n this.db.close(callback);\n }\n }\n\n // Public method to force immediate persistence (useful after scan completes)\n async forcePersist(): Promise<void> {\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n this.persistTimeout = null;\n }\n if (this.isDirty && this.AsyncStorage) {\n this.isDirty = false;\n await this._persistData();\n }\n }\n\n // Public method to clear all persisted data (use when recovering from storage full errors)\n async clearPersistedData(): Promise<void> {\n console.log('🧹 Clearing all persisted database data from AsyncStorage...');\n await this._cleanupOldChunks();\n console.log('✅ Cleared all persisted data');\n }\n\n put(key: any, value: any, optionsOrCallback?: any, callback?: (error?: Error) => void): void {\n // Handle both put(key, value, callback) and put(key, value, options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // put(key, value, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // put(key, value, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to put method');\n }\n\n this.db.put(key, value, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n get(key: any, optionsOrCallback?: any, callback?: (error?: Error, value?: any) => void): void {\n // Handle both get(key, callback) and get(key, options, callback) signatures\n let cb: (error?: Error, value?: any) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // get(key, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // get(key, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to get method');\n }\n\n this.db.get(key, cb);\n }\n\n del(key: any, optionsOrCallback?: any, callback?: (error?: Error) => void): void {\n // Handle both del(key, callback) and del(key, options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // del(key, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // del(key, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to del method');\n }\n\n this.db.del(key, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n clear(options: any, callback: (error?: Error) => void): void {\n // Handle clear operation for deleting ranges of keys\n // This is required by dop-engine-v3's clearNamespace function\n const { gte, lte, gt, lt } = options || {};\n \n if (!gte && !gt) {\n callback(new Error('clear() requires gte or gt option'));\n return;\n }\n\n // Use iterator to find all keys in the range and delete them\n const keysToDelete: any[] = [];\n const iterator = this.db.iterator({\n gte,\n lte,\n gt,\n lt,\n keys: true,\n values: false,\n });\n\n const processNext = () => {\n iterator.next((err: any, key: any) => {\n if (err) {\n iterator.end(() => {\n callback(err);\n });\n return;\n }\n\n if (key === undefined) {\n // No more keys - now delete all collected keys\n iterator.end(() => {\n if (keysToDelete.length === 0) {\n callback();\n return;\n }\n\n // Delete keys in batch\n const operations = keysToDelete.map(k => ({ type: 'del', key: k }));\n this.db.batch(operations, (batchErr: any) => {\n if (!batchErr && this.AsyncStorage) {\n this._schedulePersistence();\n }\n callback(batchErr);\n });\n });\n return;\n }\n\n keysToDelete.push(key);\n processNext();\n });\n };\n\n processNext();\n }\n\n batch(operationsOrCallback?: any, optionsOrCallback?: any, callback?: (error?: Error) => void): any {\n // Handle multiple batch signatures:\n // batch() - returns chained batch\n // batch(operations, callback)\n // batch(operations, options, callback)\n \n if (arguments.length === 0) {\n // batch() - return chained batch (not commonly used in LevelUp)\n return this.db.batch();\n }\n\n // Handle batch operations with callback\n const operations = operationsOrCallback;\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // batch(operations, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // batch(operations, options, callback) signature \n cb = callback;\n } else {\n throw new Error('No callback provided to batch method');\n }\n\n this.db.batch(operations, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n iterator(options?: any): any {\n // eslint-disable-next-line @typescript-eslint/no-unsafe-return\n return this.db.iterator(options);\n }\n\n private _schedulePersistence(): void {\n this.isDirty = true;\n \n // Clear existing timeout\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n }\n \n // Schedule persistence with longer throttling during heavy writes (every 30 seconds)\n // This dramatically improves scan performance by reducing serialization overhead\n this.persistTimeout = setTimeout(() => {\n if (this.isDirty) {\n this.isDirty = false;\n void this._persistData().catch(console.warn);\n }\n }, 30000); // Increased from 5s to 30s\n }\n\n private async _persistData(): Promise<void> {\n if (!this.AsyncStorage) return;\n\n const startTime = Date.now();\n let entryCount = 0;\n\n try {\n const data: Record<string, any> = {};\n const iterator = this.db.iterator();\n \n await new Promise<void>((resolve, reject) => {\n const processNext = () => {\n iterator.next((err: any, key: any, value: any) => {\n if (err) {\n iterator.end(() => reject(err));\n return;\n }\n \n if (key === undefined) {\n iterator.end(() => resolve());\n return;\n }\n \n entryCount += 1;\n \n // Preserve Buffer/Uint8Array types by converting to base64 with type marker\n if (Buffer.isBuffer(value)) {\n data[key.toString()] = {\n __type: 'Buffer',\n data: value.toString('base64'),\n };\n } else if (value instanceof Uint8Array) {\n data[key.toString()] = {\n __type: 'Uint8Array',\n data: Buffer.from(value).toString('base64'),\n };\n } else {\n data[key.toString()] = value;\n }\n processNext();\n });\n };\n processNext();\n });\n\n // Serialize data\n let jsonData: string;\n try {\n jsonData = JSON.stringify(data);\n } catch (stringifyError) {\n throw new Error(`Failed to stringify data: ${stringifyError instanceof Error ? stringifyError.message : String(stringifyError)}`);\n }\n \n const serializeTime = Date.now() - startTime;\n const dataSizeMB = jsonData.length / 1024 / 1024;\n \n // Clean up old chunks before writing new data\n await this._cleanupOldChunks();\n \n // React Native AsyncStorage has a 6MB per-item limit and total quota limits\n // Use 500KB chunks to stay well within limits and avoid SQLITE_FULL errors\n const chunkSize = 512 * 1024; // 500KB chunks (conservative for Android)\n \n if (jsonData.length > chunkSize) {\n // Split large data into chunks\n const chunks: string[] = [];\n for (let i = 0; i < jsonData.length; i += chunkSize) {\n chunks.push(jsonData.slice(i, i + chunkSize));\n }\n \n console.log(`💾 Writing ${chunks.length} chunks (${dataSizeMB.toFixed(2)}MB)...`);\n \n // Check if data is too large (warn if over 50MB)\n if (dataSizeMB > 50) {\n console.warn(`⚠️ Database is very large (${dataSizeMB.toFixed(2)}MB). Consider clearing old data.`);\n }\n \n // Write chunks sequentially to avoid overwhelming AsyncStorage\n // Parallel writes can cause SQLITE_FULL errors\n for (let i = 0; i < chunks.length; i += 1) {\n try {\n await this.AsyncStorage.setItem(`${this.storageKey}_chunk_${i}`, chunks[i]);\n } catch (chunkError: any) {\n // If we hit storage quota, clean up and throw\n console.error(`❌ Failed to write chunk ${i}/${chunks.length}:`, chunkError);\n if (chunkError?.message?.includes('full') || chunkError?.code === 13) {\n console.error('💥 Storage quota exceeded! Cleaning up partial writes...');\n await this._cleanupOldChunks();\n throw new Error('AsyncStorage quota exceeded. Please clear app data or restart the app.');\n }\n throw chunkError;\n }\n }\n \n // Only update chunk count after all chunks are written successfully\n await this.AsyncStorage.setItem(`${this.storageKey}_chunks`, chunks.length.toString());\n \n const totalTime = Date.now() - startTime;\n console.log(`✅ Persisted ${entryCount} entries (${dataSizeMB.toFixed(2)}MB in ${chunks.length} chunks) in ${totalTime}ms (serialize: ${serializeTime}ms)`);\n } else {\n // Small data, store directly\n await this.AsyncStorage.setItem(this.storageKey, jsonData);\n \n const totalTime = Date.now() - startTime;\n console.log(`✅ Persisted ${entryCount} entries (${(jsonData.length / 1024).toFixed(2)}KB) in ${totalTime}ms (serialize: ${serializeTime}ms)`);\n }\n } catch (error: any) {\n console.error('❌ Failed to persist data to AsyncStorage:', error);\n \n // If quota exceeded, clear everything to recover\n if (error?.message?.includes('quota') || error?.message?.includes('full')) {\n console.error('💥 Storage full! Clearing all AsyncStorage data for recovery...');\n await this._cleanupOldChunks();\n }\n \n // Mark as dirty again so we retry on next schedule\n this.isDirty = true;\n throw error;\n }\n }\n\n private async _cleanupOldChunks(): Promise<void> {\n if (!this.AsyncStorage) return;\n \n try {\n // Remove chunk metadata\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);\n \n // Remove old direct storage (if exists)\n await this.AsyncStorage.removeItem(this.storageKey);\n \n // Remove all chunk entries (try up to 200 chunks)\n for (let i = 0; i < 200; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n try {\n await this.AsyncStorage.removeItem(chunkKey);\n } catch {\n // Ignore errors, chunk may not exist\n break;\n }\n }\n } catch (cleanupError) {\n console.warn('⚠️ Error during chunk cleanup:', cleanupError);\n // Don't throw, continue with persistence\n }\n }\n}\n\n/**\n * Initialize DOP Engine specifically for React Native environments.\n * Uses a custom LevelDB implementation that persists data to AsyncStorage.\n * This provides full database persistence while being compatible with React Native.\n * \n * @param walletSource - Name for your wallet implementation (max 16 chars, lowercase)\n * @param shouldDebug - Whether to forward Engine debug logs to Logger\n * @param artifactStore - Persistent store for downloading large artifact files\n * @param useNativeArtifacts - Whether to download native C++ artifacts (should be TRUE for mobile)\n * @param skipMerkletreeScans - Whether to skip merkletree syncs and private balance scans\n * @param verboseScanLogging - Enable verbose logging for scanning operations\n * @param databaseName - Name for the database (used as prefix in AsyncStorage)\n */\nexport const startDopEngineReactNative = async (\n walletSource: string,\n shouldDebug: boolean,\n artifactStore: ArtifactStore,\n useNativeArtifacts = true,\n skipMerkletreeScans = false,\n verboseScanLogging = false,\n databaseName = 'dop-wallet-db'\n): Promise<void> => {\n // Create React Native compatible database instance with AsyncStorage persistence\n const db = new ReactNativeLevelDB(databaseName);\n \n // Ensure database is opened before proceeding\n await new Promise<void>((resolve, reject) => {\n db.open((error?: Error) => {\n if (error) reject(error);\n else resolve();\n });\n });\n\n // Initialize the DOP Engine with the React Native database\n return startDopEngine(\n walletSource,\n db as any, // Cast to any since TypeScript doesn't know about our custom implementation\n shouldDebug,\n artifactStore,\n useNativeArtifacts,\n skipMerkletreeScans,\n verboseScanLogging\n );\n};\n"]}
1
+ {"version":3,"file":"react-native-init.js","sourceRoot":"","sources":["../../../../src/services/dop/core/react-native-init.ts"],"names":[],"mappings":";;;AAcA,iCAAwC;AACxC,kDAAmD;AAEnD,8DAA8D;AAC9D,IAAI,OAAY,CAAC;AACjB,IAAI;IACF,OAAO,GAAG,OAAO,CAAC,SAAS,CAAC,CAAC;CAC9B;AAAC,OAAO,KAAK,EAAE;IACd,MAAM,IAAI,KAAK,CACb,2DAA2D;QAC3D,oDAAoD,CACrD,CAAC;CACH;AAED;;;GAGG;AACH,MAAa,kBAAkB;IACrB,EAAE,CAAM;IACR,UAAU,CAAS;IACnB,YAAY,CAAM;IAClB,cAAc,GAAyC,IAAI,CAAC;IAC5D,OAAO,GAAG,KAAK,CAAC;IAExB,YAAY,IAAY;QACtB,IAAI,CAAC,UAAU,GAAG,WAAW,IAAI,EAAE,CAAC;QACpC,IAAI,CAAC,EAAE,GAAG,OAAO,EAAE,CAAC;QAEpB,2DAA2D;QAC3D,IAAI;YACF,+DAA+D;YAC/D,IAAI,CAAC,YAAY,GAAG,OAAO,CAAC,2CAA2C,CAAC,CAAC,OAAO,CAAC;SAClF;QAAC,OAAO,KAAK,EAAE;YACd,4EAA4E;YAC5E,IAAI,CAAC,YAAY,GAAG,IAAI,CAAC;SAC1B;IACH,CAAC;IAED,wCAAwC;IACxC,KAAK,CAAC,IAAI,CAAC,iBAAuB,EAAE,QAAkC;QACpE,oEAAoE;QACpE,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,2BAA2B;YAC3B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,oCAAoC;YACpC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,oEAAoE;YACpE,MAAM,IAAI,KAAK,CAAC,qCAAqC,CAAC,CAAC;SACxD;QAED,IAAI;YACF,4DAA4D;YAC5D,IAAI,IAAI,CAAC,YAAY,EAAE;gBACrB,IAAI;oBACF,IAAI,aAAa,GAAkB,IAAI,CAAC;oBAExC,oCAAoC;oBACpC,MAAM,WAAW,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;oBAEjF,IAAI,WAAW,EAAE;wBACf,OAAO,CAAC,GAAG,CAAC,4BAA4B,MAAM,CAAC,WAAW,CAAC,YAAY,CAAC,CAAC;wBACzE,yBAAyB;wBACzB,MAAM,MAAM,GAAa,EAAE,CAAC;wBAC5B,MAAM,KAAK,GAAG,QAAQ,CAAC,WAAW,EAAE,EAAE,CAAC,CAAC;wBAExC,IAAI,MAAM,CAAC,KAAK,CAAC,KAAK,CAAC,IAAI,KAAK,GAAG,CAAC,IAAI,KAAK,GAAG,IAAI,EAAE;4BACpD,MAAM,IAAI,KAAK,CAAC,wBAAwB,MAAM,CAAC,WAAW,CAAC,EAAE,CAAC,CAAC;yBAChE;wBAED,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,KAAK,EAAE,CAAC,IAAI,CAAC,EAAE;4BACjC,MAAM,KAAK,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC,CAAC;4BAC/E,IAAI,KAAK,EAAE;gCACT,MAAM,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC;6BACpB;iCAAM;gCACL,OAAO,CAAC,IAAI,CAAC,oBAAoB,CAAC,OAAO,KAAK,0BAA0B,CAAC,CAAC;6BAC3E;yBACF;wBAED,IAAI,MAAM,CAAC,MAAM,KAAK,CAAC,EAAE;4BACvB,MAAM,IAAI,KAAK,CAAC,0CAA0C,CAAC,CAAC;yBAC7D;wBAED,aAAa,GAAG,MAAM,CAAC,IAAI,CAAC,EAAE,CAAC,CAAC;wBAChC,OAAO,CAAC,GAAG,CAAC,kBAAkB,MAAM,CAAC,MAAM,IAAI,KAAK,YAAY,CAAC,aAAa,CAAC,MAAM,GAAG,IAAI,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC;qBACvH;yBAAM;wBACL,2BAA2B;wBAC3B,aAAa,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;wBACjE,IAAI,aAAa,EAAE;4BACjB,OAAO,CAAC,GAAG,CAAC,iCAAiC,CAAC,aAAa,CAAC,MAAM,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC;yBAC7F;qBACF;oBAED,IAAI,aAAa,EAAE;wBACjB,+BAA+B;wBAC/B,IAAI,CAAC,aAAa,CAAC,IAAI,EAAE,CAAC,UAAU,CAAC,GAAG,CAAC,IAAI,CAAC,aAAa,CAAC,IAAI,EAAE,CAAC,QAAQ,CAAC,GAAG,CAAC,EAAE;4BAChF,MAAM,IAAI,KAAK,CAAC,+DAA+D,CAAC,CAAC;yBAClF;wBAED,IAAI,IAAyB,CAAC;wBAC9B,IAAI;4BACF,IAAI,GAAG,IAAI,CAAC,KAAK,CAAC,aAAa,CAAC,CAAC;yBAClC;wBAAC,OAAO,SAAS,EAAE;4BAClB,MAAM,IAAI,KAAK,CAAC,sBAAsB,SAAS,YAAY,KAAK,CAAC,CAAC,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC,MAAM,CAAC,SAAS,CAAC,EAAE,CAAC,CAAC;yBAC7G;wBAED,0DAA0D;wBAC1D,MAAM,IAAI,GAAG,MAAM,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;wBAC/B,OAAO,CAAC,GAAG,CAAC,gBAAgB,IAAI,CAAC,MAAM,yBAAyB,CAAC,CAAC;wBAElE,2BAA2B;wBAC3B,MAAM,UAAU,GAAU,EAAE,CAAC;wBAC7B,KAAK,MAAM,CAAC,GAAG,EAAE,KAAK,CAAC,IAAI,MAAM,CAAC,OAAO,CAAC,IAAI,CAAC,EAAE;4BAC/C,+DAA+D;4BAC/D,IAAI,aAAa,GAAG,KAAK,CAAC;4BAC1B,IAAI,KAAK,IAAI,OAAO,KAAK,KAAK,QAAQ,IAAI,QAAQ,IAAI,KAAK,EAAE;gCAC3D,MAAM,UAAU,GAAG,KAAyC,CAAC;gCAC7D,IAAI,UAAU,CAAC,MAAM,KAAK,QAAQ,IAAI,OAAO,UAAU,CAAC,IAAI,KAAK,QAAQ,EAAE;oCACzE,aAAa,GAAG,MAAM,CAAC,IAAI,CAAC,UAAU,CAAC,IAAI,EAAE,QAAQ,CAAC,CAAC;iCACxD;qCAAM,IAAI,UAAU,CAAC,MAAM,KAAK,YAAY,IAAI,OAAO,UAAU,CAAC,IAAI,KAAK,QAAQ,EAAE;oCACpF,aAAa,GAAG,IAAI,UAAU,CAAC,MAAM,CAAC,IAAI,CAAC,UAAU,CAAC,IAAI,EAAE,QAAQ,CAAC,CAAC,CAAC;iCACxE;6BACF;4BAED,UAAU,CAAC,IAAI,CAAC,EAAE,IAAI,EAAE,KAAK,EAAE,GAAG,EAAE,KAAK,EAAE,aAAa,EAAE,CAAC,CAAC;yBAC7D;wBAED,mDAAmD;wBACnD,MAAM,SAAS,GAAG,GAAG,CAAC;wBACtB,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,UAAU,CAAC,MAAM,EAAE,CAAC,IAAI,SAAS,EAAE;4BACrD,MAAM,KAAK,GAAG,UAAU,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,GAAG,SAAS,CAAC,CAAC;4BACjD,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;gCAC1C,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,KAAK,EAAE,CAAC,GAAQ,EAAE,EAAE;oCAChC,IAAI,GAAG;wCAAE,MAAM,CAAC,GAAG,CAAC,CAAC;;wCAChB,OAAO,EAAE,CAAC;gCACjB,CAAC,CAAC,CAAC;4BACL,CAAC,CAAC,CAAC;4BACH,OAAO,CAAC,GAAG,CAAC,eAAe,IAAI,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS,EAAE,UAAU,CAAC,MAAM,CAAC,IAAI,UAAU,CAAC,MAAM,aAAa,CAAC,CAAC;yBAC1G;wBAED,OAAO,CAAC,GAAG,CAAC,oDAAoD,CAAC,CAAC;qBACnE;yBAAM;wBACL,OAAO,CAAC,GAAG,CAAC,0DAA0D,CAAC,CAAC;qBACzE;iBACF;gBAAC,OAAO,iBAAiB,EAAE;oBAC1B,OAAO,CAAC,KAAK,CAAC,iFAAiF,EAAE,iBAAiB,CAAC,CAAC;oBAEpH,uBAAuB;oBACvB,IAAI;wBACF,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;wBACpD,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;wBAEhE,8CAA8C;wBAC9C,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;4BAC/B,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;4BACjD,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;4BACzD,IAAI,MAAM,EAAE;gCACV,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;6BAC9C;iCAAM;gCACL,MAAM,CAAC,iBAAiB;6BACzB;yBACF;wBACD,OAAO,CAAC,GAAG,CAAC,wCAAwC,CAAC,CAAC;qBACvD;oBAAC,OAAO,UAAU,EAAE;wBACnB,OAAO,CAAC,IAAI,CAAC,oCAAoC,EAAE,UAAU,CAAC,CAAC;qBAChE;iBACF;aACF;YAED,4BAA4B;YAC5B,IAAI,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE,CAAC,CAAC;SAClB;QAAC,OAAO,KAAK,EAAE;YACd,EAAE,CAAC,KAAc,CAAC,CAAC;SACpB;IACH,CAAC;IAED,KAAK,CAAC,QAAiC;QACrC,oCAAoC;QACpC,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;YAClC,IAAI,CAAC,cAAc,GAAG,IAAI,CAAC;SAC5B;QAED,sDAAsD;QACtD,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE;YACrC,OAAO,CAAC,GAAG,CAAC,wCAAwC,CAAC,CAAC;YACtD,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;YACrB,IAAI,CAAC,YAAY,EAAE;gBACjB,+DAA+D;iBAC9D,IAAI,CAAC,GAAG,EAAE;gBACT,OAAO,CAAC,GAAG,CAAC,kCAAkC,CAAC,CAAC;gBAChD,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;YAC1B,CAAC,CAAC;iBACD,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE;gBACf,OAAO,CAAC,IAAI,CAAC,gCAAgC,EAAE,KAAK,CAAC,CAAC;gBACtD,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;YAC1B,CAAC,CAAC,CAAC;SACN;aAAM;YACL,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,QAAQ,CAAC,CAAC;SACzB;IACH,CAAC;IAED,6EAA6E;IAC7E,KAAK,CAAC,YAAY;QAChB,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;YAClC,IAAI,CAAC,cAAc,GAAG,IAAI,CAAC;SAC5B;QACD,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,YAAY,EAAE;YACrC,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;YACrB,MAAM,IAAI,CAAC,YAAY,EAAE,CAAC;SAC3B;IACH,CAAC;IAED,2FAA2F;IAC3F,KAAK,CAAC,kBAAkB;QACtB,OAAO,CAAC,GAAG,CAAC,8DAA8D,CAAC,CAAC;QAC5E,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;QAC/B,OAAO,CAAC,GAAG,CAAC,8BAA8B,CAAC,CAAC;IAC9C,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,KAAU,EAAE,iBAAuB,EAAE,QAAkC;QACnF,0FAA0F;QAC1F,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,sCAAsC;YACtC,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,+CAA+C;YAC/C,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,KAAK,EAAE,CAAC,GAAQ,EAAE,EAAE;YACnC,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,iBAAuB,EAAE,QAA+C;QACpF,4EAA4E;QAC5E,IAAI,EAAwC,CAAC;QAE7C,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,+BAA+B;YAC/B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,wCAAwC;YACxC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,EAAE,CAAC,CAAC;IACvB,CAAC;IAED,GAAG,CAAC,GAAQ,EAAE,iBAAuB,EAAE,QAAkC;QACvE,4EAA4E;QAC5E,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,+BAA+B;YAC/B,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,wCAAwC;YACxC,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,oCAAoC,CAAC,CAAC;SACvD;QAED,IAAI,CAAC,EAAE,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,GAAQ,EAAE,EAAE;YAC5B,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,KAAK,CAAC,OAAY,EAAE,QAAiC;QACnD,qDAAqD;QACrD,8DAA8D;QAC9D,MAAM,EAAE,GAAG,EAAE,GAAG,EAAE,EAAE,EAAE,EAAE,EAAE,GAAG,OAAO,IAAI,EAAE,CAAC;QAE3C,IAAI,CAAC,GAAG,IAAI,CAAC,EAAE,EAAE;YACf,QAAQ,CAAC,IAAI,KAAK,CAAC,mCAAmC,CAAC,CAAC,CAAC;YACzD,OAAO;SACR;QAED,6DAA6D;QAC7D,MAAM,YAAY,GAAU,EAAE,CAAC;QAC/B,MAAM,QAAQ,GAAG,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC;YAChC,GAAG;YACH,GAAG;YACH,EAAE;YACF,EAAE;YACF,IAAI,EAAE,IAAI;YACV,MAAM,EAAE,KAAK;SACd,CAAC,CAAC;QAEH,MAAM,WAAW,GAAG,GAAG,EAAE;YACvB,QAAQ,CAAC,IAAI,CAAC,CAAC,GAAQ,EAAE,GAAQ,EAAE,EAAE;gBACnC,IAAI,GAAG,EAAE;oBACP,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE;wBAChB,QAAQ,CAAC,GAAG,CAAC,CAAC;oBAChB,CAAC,CAAC,CAAC;oBACH,OAAO;iBACR;gBAED,IAAI,GAAG,KAAK,SAAS,EAAE;oBACrB,+CAA+C;oBAC/C,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE;wBAChB,IAAI,YAAY,CAAC,MAAM,KAAK,CAAC,EAAE;4BAC7B,QAAQ,EAAE,CAAC;4BACX,OAAO;yBACR;wBAED,uBAAuB;wBACvB,MAAM,UAAU,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,IAAI,EAAE,KAAK,EAAE,GAAG,EAAE,CAAC,EAAE,CAAC,CAAC,CAAC;wBACpE,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,UAAU,EAAE,CAAC,QAAa,EAAE,EAAE;4BAC1C,IAAI,CAAC,QAAQ,IAAI,IAAI,CAAC,YAAY,EAAE;gCAClC,IAAI,CAAC,oBAAoB,EAAE,CAAC;6BAC7B;4BACD,QAAQ,CAAC,QAAQ,CAAC,CAAC;wBACrB,CAAC,CAAC,CAAC;oBACL,CAAC,CAAC,CAAC;oBACH,OAAO;iBACR;gBAED,YAAY,CAAC,IAAI,CAAC,GAAG,CAAC,CAAC;gBACvB,WAAW,EAAE,CAAC;YAChB,CAAC,CAAC,CAAC;QACL,CAAC,CAAC;QAEF,WAAW,EAAE,CAAC;IAChB,CAAC;IAED,KAAK,CAAC,oBAA0B,EAAE,iBAAuB,EAAE,QAAkC;QAC3F,oCAAoC;QACpC,kCAAkC;QAClC,8BAA8B;QAC9B,uCAAuC;QAEvC,IAAI,SAAS,CAAC,MAAM,KAAK,CAAC,EAAE;YAC1B,gEAAgE;YAChE,OAAO,IAAI,CAAC,EAAE,CAAC,KAAK,EAAE,CAAC;SACxB;QAED,wCAAwC;QACxC,MAAM,UAAU,GAAG,oBAAoB,CAAC;QACxC,IAAI,EAA2B,CAAC;QAEhC,IAAI,OAAO,iBAAiB,KAAK,UAAU,EAAE;YAC3C,wCAAwC;YACxC,EAAE,GAAG,iBAAiB,CAAC;SACxB;aAAM,IAAI,OAAO,QAAQ,KAAK,UAAU,EAAE;YACzC,mDAAmD;YACnD,EAAE,GAAG,QAAQ,CAAC;SACf;aAAM;YACL,MAAM,IAAI,KAAK,CAAC,sCAAsC,CAAC,CAAC;SACzD;QAED,IAAI,CAAC,EAAE,CAAC,KAAK,CAAC,UAAU,EAAE,CAAC,GAAQ,EAAE,EAAE;YACrC,IAAI,CAAC,GAAG,IAAI,IAAI,CAAC,YAAY,EAAE;gBAC7B,iCAAiC;gBACjC,IAAI,CAAC,oBAAoB,EAAE,CAAC;aAC7B;YACD,EAAE,CAAC,GAAG,CAAC,CAAC;QACV,CAAC,CAAC,CAAC;IACL,CAAC;IAED,QAAQ,CAAC,OAAa;QACpB,+DAA+D;QAC/D,OAAO,IAAI,CAAC,EAAE,CAAC,QAAQ,CAAC,OAAO,CAAC,CAAC;IACnC,CAAC;IAEO,oBAAoB;QAC1B,IAAI,CAAC,OAAO,GAAG,IAAI,CAAC;QAEpB,yBAAyB;QACzB,IAAI,IAAI,CAAC,cAAc,EAAE;YACvB,YAAY,CAAC,IAAI,CAAC,cAAc,CAAC,CAAC;SACnC;QAED,qFAAqF;QACrF,iFAAiF;QACjF,IAAI,CAAC,cAAc,GAAG,UAAU,CAAC,GAAG,EAAE;YACpC,IAAI,IAAI,CAAC,OAAO,EAAE;gBAChB,IAAI,CAAC,OAAO,GAAG,KAAK,CAAC;gBACrB,KAAK,IAAI,CAAC,YAAY,EAAE,CAAC,KAAK,CAAC,CAAC,KAAK,EAAE,EAAE;oBACvC,OAAO,CAAC,KAAK,CAAC,kCAAkC,EAAE,KAAK,EAAE,OAAO,IAAI,KAAK,CAAC,CAAC;oBAC3E,yDAAyD;gBAC3D,CAAC,CAAC,CAAC;aACJ;QACH,CAAC,EAAE,KAAK,CAAC,CAAC,CAAC,2BAA2B;IACxC,CAAC;IAEO,KAAK,CAAC,YAAY;QACxB,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,CAAC;QAC7B,IAAI,UAAU,GAAG,CAAC,CAAC;QAEnB,IAAI;YACF,MAAM,IAAI,GAAwB,EAAE,CAAC;YACrC,MAAM,QAAQ,GAAG,IAAI,CAAC,EAAE,CAAC,QAAQ,EAAE,CAAC;YAEpC,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;gBAC1C,MAAM,WAAW,GAAG,GAAG,EAAE;oBACvB,QAAQ,CAAC,IAAI,CAAC,CAAC,GAAQ,EAAE,GAAQ,EAAE,KAAU,EAAE,EAAE;wBAC/C,IAAI,GAAG,EAAE;4BACP,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,CAAC;4BAChC,OAAO;yBACR;wBAED,IAAI,GAAG,KAAK,SAAS,EAAE;4BACrB,QAAQ,CAAC,GAAG,CAAC,GAAG,EAAE,CAAC,OAAO,EAAE,CAAC,CAAC;4BAC9B,OAAO;yBACR;wBAED,UAAU,IAAI,CAAC,CAAC;wBAEhB,4EAA4E;wBAC5E,IAAI,MAAM,CAAC,QAAQ,CAAC,KAAK,CAAC,EAAE;4BAC1B,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG;gCACrB,MAAM,EAAE,QAAQ;gCAChB,IAAI,EAAE,KAAK,CAAC,QAAQ,CAAC,QAAQ,CAAC;6BAC/B,CAAC;yBACH;6BAAM,IAAI,KAAK,YAAY,UAAU,EAAE;4BACtC,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG;gCACrB,MAAM,EAAE,YAAY;gCACpB,IAAI,EAAE,MAAM,CAAC,IAAI,CAAC,KAAK,CAAC,CAAC,QAAQ,CAAC,QAAQ,CAAC;6BAC5C,CAAC;yBACH;6BAAM;4BACL,IAAI,CAAC,GAAG,CAAC,QAAQ,EAAE,CAAC,GAAG,KAAK,CAAC;yBAC9B;wBACD,WAAW,EAAE,CAAC;oBAChB,CAAC,CAAC,CAAC;gBACL,CAAC,CAAC;gBACF,WAAW,EAAE,CAAC;YAChB,CAAC,CAAC,CAAC;YAEH,iBAAiB;YACjB,IAAI,QAAgB,CAAC;YACrB,IAAI;gBACF,QAAQ,GAAG,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC;aACjC;YAAC,OAAO,cAAc,EAAE;gBACvB,MAAM,IAAI,KAAK,CAAC,6BAA6B,cAAc,YAAY,KAAK,CAAC,CAAC,CAAC,cAAc,CAAC,OAAO,CAAC,CAAC,CAAC,MAAM,CAAC,cAAc,CAAC,EAAE,CAAC,CAAC;aACnI;YAED,MAAM,aAAa,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;YAC7C,MAAM,UAAU,GAAG,QAAQ,CAAC,MAAM,GAAG,IAAI,GAAG,IAAI,CAAC;YAEjD,4EAA4E;YAC5E,2EAA2E;YAC3E,MAAM,SAAS,GAAG,GAAG,GAAG,IAAI,CAAC,CAAC,0CAA0C;YAExE,IAAI,QAAQ,CAAC,MAAM,GAAG,SAAS,EAAE;gBAC/B,+BAA+B;gBAC/B,MAAM,MAAM,GAAa,EAAE,CAAC;gBAC5B,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,QAAQ,CAAC,MAAM,EAAE,CAAC,IAAI,SAAS,EAAE;oBACnD,MAAM,CAAC,IAAI,CAAC,QAAQ,CAAC,KAAK,CAAC,CAAC,EAAE,CAAC,GAAG,SAAS,CAAC,CAAC,CAAC;iBAC/C;gBAED,OAAO,CAAC,GAAG,CAAC,cAAc,MAAM,CAAC,MAAM,YAAY,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,QAAQ,CAAC,CAAC;gBAElF,iDAAiD;gBACjD,IAAI,UAAU,GAAG,EAAE,EAAE;oBACnB,OAAO,CAAC,IAAI,CAAC,8BAA8B,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,kCAAkC,CAAC,CAAC;iBACrG;gBAED,+DAA+D;gBAC/D,+CAA+C;gBAC/C,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,MAAM,CAAC,MAAM,EAAE,CAAC,IAAI,CAAC,EAAE;oBACzC,IAAI;wBACF,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,EAAE,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC;qBAC7E;oBAAC,OAAO,UAAe,EAAE;wBACxB,6DAA6D;wBAC7D,OAAO,CAAC,KAAK,CAAC,2BAA2B,CAAC,IAAI,MAAM,CAAC,MAAM,GAAG,EAAE,UAAU,CAAC,CAAC;wBAC5E,IAAI,UAAU,EAAE,OAAO,EAAE,QAAQ,CAAC,MAAM,CAAC,IAAI,UAAU,EAAE,IAAI,KAAK,EAAE,EAAE;4BACpE,OAAO,CAAC,KAAK,CAAC,0DAA0D,CAAC,CAAC;4BAC1E,kDAAkD;4BAClD,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE;gCAC9B,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC,CAAC,KAAK,CAAC,GAAG,EAAE,GAAE,CAAC,CAAC,CAAC;6BACrF;4BACD,MAAM,IAAI,KAAK,CAAC,wEAAwE,CAAC,CAAC;yBAC3F;wBACD,MAAM,UAAU,CAAC;qBAClB;iBACF;gBAED,+EAA+E;gBAC/E,MAAM,IAAI,CAAC,mBAAmB,CAAC,MAAM,CAAC,MAAM,CAAC,CAAC;gBAE9C,oEAAoE;gBACpE,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,EAAE,MAAM,CAAC,MAAM,CAAC,QAAQ,EAAE,CAAC,CAAC;gBAEvF,wEAAwE;gBACxE,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC,KAAK,CAAC,GAAG,EAAE,GAAE,CAAC,CAAC,CAAC;gBAEpE,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;gBACzC,OAAO,CAAC,GAAG,CAAC,eAAe,UAAU,aAAa,UAAU,CAAC,OAAO,CAAC,CAAC,CAAC,SAAS,MAAM,CAAC,MAAM,eAAe,SAAS,kBAAkB,aAAa,KAAK,CAAC,CAAC;aAC5J;iBAAM;gBACL,6BAA6B;gBAC7B,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,IAAI,CAAC,UAAU,EAAE,QAAQ,CAAC,CAAC;gBAE3D,2EAA2E;gBAC3E,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;gBAE/B,MAAM,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,SAAS,CAAC;gBACzC,OAAO,CAAC,GAAG,CAAC,eAAe,UAAU,aAAa,CAAC,QAAQ,CAAC,MAAM,GAAG,IAAI,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,UAAU,SAAS,kBAAkB,aAAa,KAAK,CAAC,CAAC;aAC/I;SACF;QAAC,OAAO,KAAU,EAAE;YACnB,OAAO,CAAC,KAAK,CAAC,2CAA2C,EAAE,KAAK,CAAC,CAAC;YAClE,OAAO,CAAC,KAAK,CAAC,gBAAgB,EAAE;gBAC9B,OAAO,EAAE,KAAK,EAAE,OAAO;gBACvB,IAAI,EAAE,KAAK,EAAE,IAAI;gBACjB,KAAK,EAAE,KAAK,EAAE,KAAK,EAAE,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC,CAAC;aACpC,CAAC,CAAC;YAEH,iDAAiD;YACjD,IAAI,KAAK,EAAE,OAAO,EAAE,QAAQ,CAAC,OAAO,CAAC,IAAI,KAAK,EAAE,OAAO,EAAE,QAAQ,CAAC,MAAM,CAAC,EAAE;gBACzE,OAAO,CAAC,KAAK,CAAC,iEAAiE,CAAC,CAAC;gBACjF,MAAM,IAAI,CAAC,iBAAiB,EAAE,CAAC;aAChC;YAED,gFAAgF;YAChF,wEAAwE;YACxE,uBAAuB;YAEvB,0EAA0E;YAC1E,eAAe;SAChB;IACH,CAAC;IAEO,KAAK,CAAC,mBAAmB,CAAC,cAAsB;QACtD,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,IAAI;YACF,wDAAwD;YACxD,KAAK,IAAI,CAAC,GAAG,cAAc,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;gBAC5C,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;gBACjD,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;gBACzD,IAAI,CAAC,MAAM,EAAE;oBACX,MAAM,CAAC,0BAA0B;iBAClC;gBACD,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;aAC9C;SACF;QAAC,OAAO,YAAY,EAAE;YACrB,OAAO,CAAC,IAAI,CAAC,sCAAsC,EAAE,YAAY,CAAC,CAAC;SACpE;IACH,CAAC;IAEO,KAAK,CAAC,iBAAiB;QAC7B,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,IAAI;YACF,wBAAwB;YACxB,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;YAEhE,kDAAkD;YAClD,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;gBAC/B,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;gBACjD,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,YAAY,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;gBACzD,IAAI,CAAC,MAAM,EAAE;oBACX,MAAM,CAAC,0BAA0B;iBAClC;gBACD,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;aAC9C;SACF;QAAC,OAAO,YAAY,EAAE;YACrB,OAAO,CAAC,IAAI,CAAC,gCAAgC,EAAE,YAAY,CAAC,CAAC;SAC9D;IACH,CAAC;IAED,6DAA6D;IACrD,KAAK,CAAC,iBAAiB;QAC7B,IAAI,CAAC,IAAI,CAAC,YAAY;YAAE,OAAO;QAE/B,IAAI;YACF,wBAAwB;YACxB,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,GAAG,IAAI,CAAC,UAAU,SAAS,CAAC,CAAC;YAEhE,wCAAwC;YACxC,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,IAAI,CAAC,UAAU,CAAC,CAAC;YAEpD,kDAAkD;YAClD,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,GAAG,EAAE,CAAC,IAAI,CAAC,EAAE;gBAC/B,MAAM,QAAQ,GAAG,GAAG,IAAI,CAAC,UAAU,UAAU,CAAC,EAAE,CAAC;gBACjD,MAAM,IAAI,CAAC,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC,KAAK,CAAC,GAAG,EAAE,GAAE,CAAC,CAAC,CAAC;aAC9D;SACF;QAAC,OAAO,YAAY,EAAE;YACrB,OAAO,CAAC,IAAI,CAAC,+BAA+B,EAAE,YAAY,CAAC,CAAC;SAC7D;IACH,CAAC;CACF;AAzkBD,gDAykBC;AAED;;;;;;;;;;;;GAYG;AACI,MAAM,yBAAyB,GAAG,KAAK,EAC5C,YAAoB,EACpB,WAAoB,EACpB,aAA4B,EAC5B,kBAA2B,EAC3B,mBAA4B,EAC5B,kBAA2B,EAC3B,YAAY,GAAG,eAAe,EACf,EAAE;IACjB,iFAAiF;IACjF,MAAM,EAAE,GAAG,IAAI,kBAAkB,CAAC,YAAY,CAAC,CAAC;IAEhD,8CAA8C;IAC9C,MAAM,IAAI,OAAO,CAAO,CAAC,OAAO,EAAE,MAAM,EAAE,EAAE;QAC1C,EAAE,CAAC,IAAI,CAAC,CAAC,KAAa,EAAE,EAAE;YACxB,IAAI,KAAK;gBAAE,MAAM,CAAC,KAAK,CAAC,CAAC;;gBACpB,OAAO,EAAE,CAAC;QACjB,CAAC,CAAC,CAAC;IACL,CAAC,CAAC,CAAC;IAEH,0CAA0C;IAC1C,IAAI,WAAW,EAAE;QACf,IAAA,mBAAU,EACR,CAAC,GAAW,EAAE,EAAE,CAAC,OAAO,CAAC,GAAG,CAAC,gBAAgB,GAAG,EAAE,CAAC,EACnD,CAAC,GAAmB,EAAE,EAAE;YACtB,IAAI,GAAG,YAAY,KAAK,EAAE;gBACxB,OAAO,CAAC,KAAK,CAAC,sBAAsB,GAAG,CAAC,OAAO,EAAE,EAAE,GAAG,CAAC,CAAC;aACzD;iBAAM;gBACL,OAAO,CAAC,KAAK,CAAC,sBAAsB,GAAG,EAAE,CAAC,CAAC;aAC5C;QACH,CAAC,CACF,CAAC;KACH;IAED,2DAA2D;IAC3D,OAAO,IAAA,qBAAc,EACnB,YAAY,EACZ,EAAS,EAAE,4EAA4E;IACvF,WAAW,EACX,aAAa,EACb,kBAAkB,EAClB,mBAAmB,EACnB,kBAAkB,CACnB,CAAC;AACJ,CAAC,CAAC;AA5CW,QAAA,yBAAyB,6BA4CpC","sourcesContent":["/* eslint-disable @typescript-eslint/no-var-requires */\n/* eslint-disable @typescript-eslint/no-unsafe-assignment */\n/* eslint-disable @typescript-eslint/no-unsafe-call */\n/* eslint-disable @typescript-eslint/no-unsafe-argument */\n/* eslint-disable @typescript-eslint/no-unsafe-member-access */\n/* eslint-disable @typescript-eslint/no-explicit-any */\n/* eslint-disable @typescript-eslint/strict-boolean-expressions */\n/* eslint-disable no-underscore-dangle */\n/* eslint-disable no-console */\n/* eslint-disable no-await-in-loop */\n/* eslint-disable @typescript-eslint/no-floating-promises */\n/* eslint-disable global-require */\n/* eslint-disable no-void */\nimport { ArtifactStore } from '../../artifacts/artifact-store';\nimport { startDopEngine } from './init';\nimport { setLoggers } from '../../../utils/logger';\n\n// Use memdown for React Native database - with error handling\nlet memdown: any;\ntry {\n memdown = require('memdown');\n} catch (error) {\n throw new Error(\n 'memdown dependency is required for React Native support. ' +\n 'Please install it with: npm install memdown@^6.1.1'\n );\n}\n\n/**\n * React Native compatible LevelDB implementation using memdown with AsyncStorage persistence.\n * This provides a persistent database solution that works reliably in React Native environments.\n */\nexport class ReactNativeLevelDB {\n private db: any;\n private storageKey: string;\n private AsyncStorage: any;\n private persistTimeout: ReturnType<typeof setTimeout> | null = null;\n private isDirty = false;\n\n constructor(name: string) {\n this.storageKey = `leveldb_${name}`;\n this.db = memdown();\n \n // Dynamically import AsyncStorage to avoid bundling issues\n try {\n // Try to require AsyncStorage - this will work in React Native\n this.AsyncStorage = require('@react-native-async-storage/async-storage').default;\n } catch (error) {\n // AsyncStorage not available - this is expected in Node.js test environment\n this.AsyncStorage = null;\n }\n }\n\n // Implement AbstractLevelDOWN interface\n async open(callbackOrOptions?: any, callback?: (error?: Error) => void): Promise<void> {\n // Handle both open(callback) and open(options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof callbackOrOptions === 'function') {\n // open(callback) signature\n cb = callbackOrOptions;\n } else if (typeof callback === 'function') {\n // open(options, callback) signature\n cb = callback;\n } else {\n // No callback provided - this shouldn't happen in AbstractLevelDOWN\n throw new Error('No callback provided to open method');\n }\n\n try {\n // Load persisted data from AsyncStorage (only if available)\n if (this.AsyncStorage) {\n try {\n let persistedData: string | null = null;\n \n // Check if data is stored in chunks\n const chunksCount = await this.AsyncStorage.getItem(`${this.storageKey}_chunks`);\n \n if (chunksCount) {\n console.log(`📦 Loading database from ${String(chunksCount)} chunks...`);\n // Reassemble from chunks\n const chunks: string[] = [];\n const count = parseInt(chunksCount, 10);\n \n if (Number.isNaN(count) || count < 0 || count > 1000) {\n throw new Error(`Invalid chunk count: ${String(chunksCount)}`);\n }\n \n for (let i = 0; i < count; i += 1) {\n const chunk = await this.AsyncStorage.getItem(`${this.storageKey}_chunk_${i}`);\n if (chunk) {\n chunks.push(chunk);\n } else {\n console.warn(`⚠️ Missing chunk ${i} of ${count}, data may be incomplete`);\n }\n }\n \n if (chunks.length === 0) {\n throw new Error('No chunks found, but chunk count was set');\n }\n \n persistedData = chunks.join('');\n console.log(`📦 Reassembled ${chunks.length}/${count} chunks (${(persistedData.length / 1024 / 1024).toFixed(2)}MB)`);\n } else {\n // Try to get data directly\n persistedData = await this.AsyncStorage.getItem(this.storageKey);\n if (persistedData) {\n console.log(`📦 Loading database directly (${(persistedData.length / 1024).toFixed(2)}KB)`);\n }\n }\n \n if (persistedData) {\n // Validate JSON before parsing\n if (!persistedData.trim().startsWith('{') || !persistedData.trim().endsWith('}')) {\n throw new Error('Persisted data does not look like valid JSON (missing braces)');\n }\n \n let data: Record<string, any>;\n try {\n data = JSON.parse(persistedData);\n } catch (jsonError) {\n throw new Error(`JSON parse failed: ${jsonError instanceof Error ? jsonError.message : String(jsonError)}`);\n }\n \n // Restore data to memdown instance using batch operations\n const keys = Object.keys(data);\n console.log(`📦 Restoring ${keys.length} entries to database...`);\n \n // Prepare batch operations\n const operations: any[] = [];\n for (const [key, value] of Object.entries(data)) {\n // Restore Buffer/Uint8Array types from base64 with type marker\n let restoredValue = value;\n if (value && typeof value === 'object' && '__type' in value) {\n const typedValue = value as { __type: string; data: string };\n if (typedValue.__type === 'Buffer' && typeof typedValue.data === 'string') {\n restoredValue = Buffer.from(typedValue.data, 'base64');\n } else if (typedValue.__type === 'Uint8Array' && typeof typedValue.data === 'string') {\n restoredValue = new Uint8Array(Buffer.from(typedValue.data, 'base64'));\n }\n }\n \n operations.push({ type: 'put', key, value: restoredValue });\n }\n \n // Restore in batches of 500 for better performance\n const batchSize = 500;\n for (let i = 0; i < operations.length; i += batchSize) {\n const batch = operations.slice(i, i + batchSize);\n await new Promise<void>((resolve, reject) => {\n this.db.batch(batch, (err: any) => {\n if (err) reject(err);\n else resolve();\n });\n });\n console.log(`📦 Restored ${Math.min(i + batchSize, operations.length)}/${operations.length} entries...`);\n }\n \n console.log('✅ Successfully restored database from AsyncStorage');\n } else {\n console.log('ℹ️ No persisted data found, starting with empty database');\n }\n } catch (asyncStorageError) {\n console.error('❌ Failed to load from AsyncStorage, clearing corrupted data and starting fresh:', asyncStorageError);\n \n // Clear corrupted data\n try {\n await this.AsyncStorage.removeItem(this.storageKey);\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);\n \n // Try to remove chunks (up to 100 chunks max)\n for (let i = 0; i < 100; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n const exists = await this.AsyncStorage.getItem(chunkKey);\n if (exists) {\n await this.AsyncStorage.removeItem(chunkKey);\n } else {\n break; // No more chunks\n }\n }\n console.log('🧹 Cleared corrupted AsyncStorage data');\n } catch (clearError) {\n console.warn('⚠️ Failed to clear corrupted data:', clearError);\n }\n }\n }\n \n // Open the memdown database\n this.db.open(cb);\n } catch (error) {\n cb(error as Error);\n }\n }\n\n close(callback: (error?: Error) => void): void {\n // Clear pending persistence timeout\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n this.persistTimeout = null;\n }\n \n // Force immediate persistence before closing if dirty\n if (this.isDirty && this.AsyncStorage) {\n console.log('💾 Persisting database before close...');\n this.isDirty = false;\n this._persistData()\n // eslint-disable-next-line @typescript-eslint/no-unsafe-return\n .then(() => {\n console.log('✅ Database persisted, closing...');\n this.db.close(callback);\n })\n .catch((error) => {\n console.warn('⚠️ Failed to persist on close:', error);\n this.db.close(callback);\n });\n } else {\n this.db.close(callback);\n }\n }\n\n // Public method to force immediate persistence (useful after scan completes)\n async forcePersist(): Promise<void> {\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n this.persistTimeout = null;\n }\n if (this.isDirty && this.AsyncStorage) {\n this.isDirty = false;\n await this._persistData();\n }\n }\n\n // Public method to clear all persisted data (use when recovering from storage full errors)\n async clearPersistedData(): Promise<void> {\n console.log('🧹 Clearing all persisted database data from AsyncStorage...');\n await this._cleanupOldChunks();\n console.log('✅ Cleared all persisted data');\n }\n\n put(key: any, value: any, optionsOrCallback?: any, callback?: (error?: Error) => void): void {\n // Handle both put(key, value, callback) and put(key, value, options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // put(key, value, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // put(key, value, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to put method');\n }\n\n this.db.put(key, value, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n get(key: any, optionsOrCallback?: any, callback?: (error?: Error, value?: any) => void): void {\n // Handle both get(key, callback) and get(key, options, callback) signatures\n let cb: (error?: Error, value?: any) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // get(key, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // get(key, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to get method');\n }\n\n this.db.get(key, cb);\n }\n\n del(key: any, optionsOrCallback?: any, callback?: (error?: Error) => void): void {\n // Handle both del(key, callback) and del(key, options, callback) signatures\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // del(key, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // del(key, options, callback) signature\n cb = callback;\n } else {\n throw new Error('No callback provided to del method');\n }\n\n this.db.del(key, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n clear(options: any, callback: (error?: Error) => void): void {\n // Handle clear operation for deleting ranges of keys\n // This is required by dop-engine-v3's clearNamespace function\n const { gte, lte, gt, lt } = options || {};\n \n if (!gte && !gt) {\n callback(new Error('clear() requires gte or gt option'));\n return;\n }\n\n // Use iterator to find all keys in the range and delete them\n const keysToDelete: any[] = [];\n const iterator = this.db.iterator({\n gte,\n lte,\n gt,\n lt,\n keys: true,\n values: false,\n });\n\n const processNext = () => {\n iterator.next((err: any, key: any) => {\n if (err) {\n iterator.end(() => {\n callback(err);\n });\n return;\n }\n\n if (key === undefined) {\n // No more keys - now delete all collected keys\n iterator.end(() => {\n if (keysToDelete.length === 0) {\n callback();\n return;\n }\n\n // Delete keys in batch\n const operations = keysToDelete.map(k => ({ type: 'del', key: k }));\n this.db.batch(operations, (batchErr: any) => {\n if (!batchErr && this.AsyncStorage) {\n this._schedulePersistence();\n }\n callback(batchErr);\n });\n });\n return;\n }\n\n keysToDelete.push(key);\n processNext();\n });\n };\n\n processNext();\n }\n\n batch(operationsOrCallback?: any, optionsOrCallback?: any, callback?: (error?: Error) => void): any {\n // Handle multiple batch signatures:\n // batch() - returns chained batch\n // batch(operations, callback)\n // batch(operations, options, callback)\n \n if (arguments.length === 0) {\n // batch() - return chained batch (not commonly used in LevelUp)\n return this.db.batch();\n }\n\n // Handle batch operations with callback\n const operations = operationsOrCallback;\n let cb: (error?: Error) => void;\n \n if (typeof optionsOrCallback === 'function') {\n // batch(operations, callback) signature\n cb = optionsOrCallback;\n } else if (typeof callback === 'function') {\n // batch(operations, options, callback) signature \n cb = callback;\n } else {\n throw new Error('No callback provided to batch method');\n }\n\n this.db.batch(operations, (err: any) => {\n if (!err && this.AsyncStorage) {\n // Schedule throttled persistence\n this._schedulePersistence();\n }\n cb(err);\n });\n }\n\n iterator(options?: any): any {\n // eslint-disable-next-line @typescript-eslint/no-unsafe-return\n return this.db.iterator(options);\n }\n\n private _schedulePersistence(): void {\n this.isDirty = true;\n \n // Clear existing timeout\n if (this.persistTimeout) {\n clearTimeout(this.persistTimeout);\n }\n \n // Schedule persistence with longer throttling during heavy writes (every 30 seconds)\n // This dramatically improves scan performance by reducing serialization overhead\n this.persistTimeout = setTimeout(() => {\n if (this.isDirty) {\n this.isDirty = false;\n void this._persistData().catch((error) => {\n console.error('⚠️ Scheduled persistence failed:', error?.message || error);\n // Don't log full stack trace to avoid cluttering console\n });\n }\n }, 30000); // Increased from 5s to 30s\n }\n\n private async _persistData(): Promise<void> {\n if (!this.AsyncStorage) return;\n\n const startTime = Date.now();\n let entryCount = 0;\n\n try {\n const data: Record<string, any> = {};\n const iterator = this.db.iterator();\n \n await new Promise<void>((resolve, reject) => {\n const processNext = () => {\n iterator.next((err: any, key: any, value: any) => {\n if (err) {\n iterator.end(() => reject(err));\n return;\n }\n \n if (key === undefined) {\n iterator.end(() => resolve());\n return;\n }\n \n entryCount += 1;\n \n // Preserve Buffer/Uint8Array types by converting to base64 with type marker\n if (Buffer.isBuffer(value)) {\n data[key.toString()] = {\n __type: 'Buffer',\n data: value.toString('base64'),\n };\n } else if (value instanceof Uint8Array) {\n data[key.toString()] = {\n __type: 'Uint8Array',\n data: Buffer.from(value).toString('base64'),\n };\n } else {\n data[key.toString()] = value;\n }\n processNext();\n });\n };\n processNext();\n });\n\n // Serialize data\n let jsonData: string;\n try {\n jsonData = JSON.stringify(data);\n } catch (stringifyError) {\n throw new Error(`Failed to stringify data: ${stringifyError instanceof Error ? stringifyError.message : String(stringifyError)}`);\n }\n \n const serializeTime = Date.now() - startTime;\n const dataSizeMB = jsonData.length / 1024 / 1024;\n \n // React Native AsyncStorage has a 6MB per-item limit and total quota limits\n // Use 500KB chunks to stay well within limits and avoid SQLITE_FULL errors\n const chunkSize = 512 * 1024; // 500KB chunks (conservative for Android)\n \n if (jsonData.length > chunkSize) {\n // Split large data into chunks\n const chunks: string[] = [];\n for (let i = 0; i < jsonData.length; i += chunkSize) {\n chunks.push(jsonData.slice(i, i + chunkSize));\n }\n \n console.log(`💾 Writing ${chunks.length} chunks (${dataSizeMB.toFixed(2)}MB)...`);\n \n // Check if data is too large (warn if over 50MB)\n if (dataSizeMB > 50) {\n console.warn(`⚠️ Database is very large (${dataSizeMB.toFixed(2)}MB). Consider clearing old data.`);\n }\n \n // Write chunks sequentially to avoid overwhelming AsyncStorage\n // Parallel writes can cause SQLITE_FULL errors\n for (let i = 0; i < chunks.length; i += 1) {\n try {\n await this.AsyncStorage.setItem(`${this.storageKey}_chunk_${i}`, chunks[i]);\n } catch (chunkError: any) {\n // If we hit storage quota, clean up partial writes and throw\n console.error(`❌ Failed to write chunk ${i}/${chunks.length}:`, chunkError);\n if (chunkError?.message?.includes('full') || chunkError?.code === 13) {\n console.error('💥 Storage quota exceeded! Cleaning up partial writes...');\n // Only clean up the chunks we just tried to write\n for (let j = 0; j <= i; j += 1) {\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunk_${j}`).catch(() => {});\n }\n throw new Error('AsyncStorage quota exceeded. Please clear app data or restart the app.');\n }\n throw chunkError;\n }\n }\n \n // Clean up any extra chunks from previous saves (if we had more chunks before)\n await this._cleanupExtraChunks(chunks.length);\n \n // Only update chunk count after all chunks are written successfully\n await this.AsyncStorage.setItem(`${this.storageKey}_chunks`, chunks.length.toString());\n \n // Remove direct storage if it exists (migrating from direct to chunked)\n await this.AsyncStorage.removeItem(this.storageKey).catch(() => {});\n \n const totalTime = Date.now() - startTime;\n console.log(`✅ Persisted ${entryCount} entries (${dataSizeMB.toFixed(2)}MB in ${chunks.length} chunks) in ${totalTime}ms (serialize: ${serializeTime}ms)`);\n } else {\n // Small data, store directly\n await this.AsyncStorage.setItem(this.storageKey, jsonData);\n \n // Clean up chunked storage if it exists (migrating from chunked to direct)\n await this._cleanupAllChunks();\n \n const totalTime = Date.now() - startTime;\n console.log(`✅ Persisted ${entryCount} entries (${(jsonData.length / 1024).toFixed(2)}KB) in ${totalTime}ms (serialize: ${serializeTime}ms)`);\n }\n } catch (error: any) {\n console.error('❌ Failed to persist data to AsyncStorage:', error);\n console.error('Error details:', {\n message: error?.message,\n code: error?.code,\n stack: error?.stack?.split('\\n')[0]\n });\n \n // If quota exceeded, clear everything to recover\n if (error?.message?.includes('quota') || error?.message?.includes('full')) {\n console.error('💥 Storage full! Clearing all AsyncStorage data for recovery...');\n await this._cleanupAllChunks();\n }\n \n // Don't mark as dirty - if persistence fails, we don't want to retry infinitely\n // The data is still in memory (memdown) so the app can continue working\n // this.isDirty = true;\n \n // Don't throw - this allows the app to continue even if persistence fails\n // throw error;\n }\n }\n\n private async _cleanupExtraChunks(keepChunkCount: number): Promise<void> {\n if (!this.AsyncStorage) return;\n \n try {\n // Remove chunks beyond the new count (cleanup old data)\n for (let i = keepChunkCount; i < 200; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n const exists = await this.AsyncStorage.getItem(chunkKey);\n if (!exists) {\n break; // No more chunks to clean\n }\n await this.AsyncStorage.removeItem(chunkKey);\n }\n } catch (cleanupError) {\n console.warn('⚠️ Error during extra chunk cleanup:', cleanupError);\n }\n }\n\n private async _cleanupAllChunks(): Promise<void> {\n if (!this.AsyncStorage) return;\n \n try {\n // Remove chunk metadata\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);\n \n // Remove all chunk entries (try up to 200 chunks)\n for (let i = 0; i < 200; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n const exists = await this.AsyncStorage.getItem(chunkKey);\n if (!exists) {\n break; // No more chunks to clean\n }\n await this.AsyncStorage.removeItem(chunkKey);\n }\n } catch (cleanupError) {\n console.warn('⚠️ Error during chunk cleanup:', cleanupError);\n }\n }\n\n // Keep old method for clearing persisted data (full cleanup)\n private async _cleanupOldChunks(): Promise<void> {\n if (!this.AsyncStorage) return;\n \n try {\n // Remove chunk metadata\n await this.AsyncStorage.removeItem(`${this.storageKey}_chunks`);\n \n // Remove old direct storage (if exists)\n await this.AsyncStorage.removeItem(this.storageKey);\n \n // Remove all chunk entries (try up to 200 chunks)\n for (let i = 0; i < 200; i += 1) {\n const chunkKey = `${this.storageKey}_chunk_${i}`;\n await this.AsyncStorage.removeItem(chunkKey).catch(() => {});\n }\n } catch (cleanupError) {\n console.warn('⚠️ Error during full cleanup:', cleanupError);\n }\n }\n}\n\n/**\n * Initialize DOP Engine specifically for React Native environments.\n * Uses a custom LevelDB implementation that persists data to AsyncStorage.\n * This provides full database persistence while being compatible with React Native.\n * \n * @param walletSource - Name for your wallet implementation (max 16 chars, lowercase)\n * @param shouldDebug - Whether to forward Engine debug logs to console\n * @param artifactStore - Persistent store for downloading large artifact files\n * @param useNativeArtifacts - Whether to download native C++ artifacts (should be TRUE for mobile)\n * @param skipMerkletreeScans - Whether to skip merkletree syncs and private balance scans\n * @param verboseScanLogging - Enable verbose logging for scanning operations\n * @param databaseName - Name for the database (used as prefix in AsyncStorage)\n */\nexport const startDopEngineReactNative = async (\n walletSource: string,\n shouldDebug: boolean,\n artifactStore: ArtifactStore,\n useNativeArtifacts: boolean,\n skipMerkletreeScans: boolean,\n verboseScanLogging: boolean,\n databaseName = 'dop-wallet-db'\n): Promise<void> => {\n // Create React Native compatible database instance with AsyncStorage persistence\n const db = new ReactNativeLevelDB(databaseName);\n \n // Ensure database is opened before proceeding\n await new Promise<void>((resolve, reject) => {\n db.open((error?: Error) => {\n if (error) reject(error);\n else resolve();\n });\n });\n\n // Set up console logging for React Native\n if (shouldDebug) {\n setLoggers(\n (msg: string) => console.log(`[DOP Wallet] ${msg}`),\n (err: Error | string) => {\n if (err instanceof Error) {\n console.error(`[DOP Wallet Error] ${err.message}`, err);\n } else {\n console.error(`[DOP Wallet Error] ${err}`);\n }\n }\n );\n }\n\n // Initialize the DOP Engine with the React Native database\n return startDopEngine(\n walletSource,\n db as any, // Cast to any since TypeScript doesn't know about our custom implementation\n shouldDebug,\n artifactStore,\n useNativeArtifacts,\n skipMerkletreeScans,\n verboseScanLogging\n );\n};\n"]}
@@ -3,30 +3,77 @@ Object.defineProperty(exports, "__esModule", { value: true });
3
3
  exports.resetFullTXIDMerkletreesV2 = exports.rescanFullUTXOMerkletreesAndWallets = exports.refreshBalances = void 0;
4
4
  const error_1 = require("../../../utils/error");
5
5
  const engine_1 = require("../core/engine");
6
+ // Track ongoing scans per chain to prevent concurrent scanning
7
+ const ongoingScans = new Map();
8
+ // Helper to create unique chain key
9
+ const getChainKey = (chain) => {
10
+ return `${chain.type}:${chain.id}`;
11
+ };
6
12
  const refreshBalances = async (chain, walletIdFilter) => {
13
+ const chainKey = getChainKey(chain);
14
+ // Check if a scan is already in progress for this chain
15
+ const existingScan = ongoingScans.get(chainKey);
16
+ if (existingScan) {
17
+ console.log(`⏸️ Scan already in progress for chain ${chainKey}, waiting for it to complete...`);
18
+ // Wait for the existing scan to complete instead of starting a new one
19
+ await existingScan;
20
+ console.log(`✅ Existing scan completed for chain ${chainKey}`);
21
+ return;
22
+ }
7
23
  try {
8
24
  // Wallet will trigger .emit('scanned', {chain}) event when finished,
9
25
  // which calls `onBalancesUpdate` (balance-update.ts).
10
26
  // Kick off a background merkletree scan.
11
27
  // This will call wallet.scanBalances when it's done, but may take some time.
28
+ console.log(`🔄 Starting new scan for chain ${chainKey}...`);
12
29
  const engine = (0, engine_1.getEngine)();
13
- await engine.scanContractHistory(chain, walletIdFilter);
30
+ // Create the scan promise and store it
31
+ const scanPromise = engine.scanContractHistory(chain, walletIdFilter);
32
+ ongoingScans.set(chainKey, scanPromise);
33
+ // Wait for the scan to complete
34
+ await scanPromise;
35
+ console.log(`✅ Scan completed successfully for chain ${chainKey}`);
14
36
  }
15
37
  catch (err) {
38
+ console.error(`❌ Scan failed for chain ${chainKey}:`, err);
16
39
  throw (0, error_1.reportAndSanitizeError)(exports.refreshBalances.name, err);
17
40
  }
41
+ finally {
42
+ // Always remove the scan from tracking when done (success or failure)
43
+ ongoingScans.delete(chainKey);
44
+ }
18
45
  };
19
46
  exports.refreshBalances = refreshBalances;
20
47
  const rescanFullUTXOMerkletreesAndWallets = async (chain, walletIdFilter) => {
48
+ const chainKey = getChainKey(chain);
49
+ // Check if a scan is already in progress for this chain
50
+ const existingScan = ongoingScans.get(chainKey);
51
+ if (existingScan) {
52
+ console.log(`⏸️ Full rescan already in progress for chain ${chainKey}, waiting for it to complete...`);
53
+ await existingScan;
54
+ console.log(`✅ Existing full rescan completed for chain ${chainKey}`);
55
+ return;
56
+ }
21
57
  try {
58
+ console.log(`🔄 Starting full rescan for chain ${chainKey}...`);
22
59
  const engine = (0, engine_1.getEngine)();
23
- await engine.fullRescanUTXOMerkletreesAndWallets(chain, walletIdFilter);
60
+ // Create the rescan promise and store it
61
+ const rescanPromise = engine.fullRescanUTXOMerkletreesAndWallets(chain, walletIdFilter);
62
+ ongoingScans.set(chainKey, rescanPromise);
63
+ // Wait for the rescan to complete
64
+ await rescanPromise;
65
+ console.log(`✅ Full rescan completed successfully for chain ${chainKey}`);
24
66
  // Wallet will trigger .emit('scanned', {chain}) event when finished,
25
67
  // which calls `onBalancesUpdate` (balance-update.ts).
26
68
  }
27
69
  catch (err) {
70
+ console.error(`❌ Full rescan failed for chain ${chainKey}:`, err);
28
71
  throw (0, error_1.reportAndSanitizeError)(exports.rescanFullUTXOMerkletreesAndWallets.name, err);
29
72
  }
73
+ finally {
74
+ // Always remove the rescan from tracking when done
75
+ ongoingScans.delete(chainKey);
76
+ }
30
77
  };
31
78
  exports.rescanFullUTXOMerkletreesAndWallets = rescanFullUTXOMerkletreesAndWallets;
32
79
  const resetFullTXIDMerkletreesV2 = async (chain) => {
@@ -1 +1 @@
1
- {"version":3,"file":"balances.js","sourceRoot":"","sources":["../../../../src/services/dop/wallets/balances.ts"],"names":[],"mappings":";;;AAEA,gDAA8D;AAC9D,2CAA2C;AAEpC,MAAM,eAAe,GAAG,KAAK,EAClC,KAAY,EACZ,cAAkC,EACnB,EAAE;IACjB,IAAI;QACF,qEAAqE;QACrE,sDAAsD;QAEtD,yCAAyC;QACzC,6EAA6E;QAE7E,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAC3B,MAAM,MAAM,CAAC,mBAAmB,CAAC,KAAK,EAAE,cAAc,CAAC,CAAC;KACzD;IAAC,OAAO,GAAG,EAAE;QACZ,MAAM,IAAA,8BAAsB,EAAC,uBAAe,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KACzD;AACH,CAAC,CAAC;AAhBW,QAAA,eAAe,mBAgB1B;AAEK,MAAM,mCAAmC,GAAG,KAAK,EACtD,KAAY,EACZ,cAAkC,EACnB,EAAE;IACjB,IAAI;QACF,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAC3B,MAAM,MAAM,CAAC,mCAAmC,CAAC,KAAK,EAAE,cAAc,CAAC,CAAC;QAExE,qEAAqE;QACrE,sDAAsD;KACvD;IAAC,OAAO,GAAG,EAAE;QACZ,MAAM,IAAA,8BAAsB,EAAC,2CAAmC,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KAC7E;AACH,CAAC,CAAC;AAbW,QAAA,mCAAmC,uCAa9C;AAEK,MAAM,0BAA0B,GAAG,KAAK,EAC7C,KAAY,EACG,EAAE;IACjB,IAAI;QACF,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAC3B,MAAM,MAAM,CAAC,0BAA0B,CAAC,KAAK,CAAC,CAAC;KAChD;IAAC,OAAO,GAAG,EAAE;QACZ,MAAM,IAAA,8BAAsB,EAAC,kCAA0B,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KACpE;AACH,CAAC,CAAC;AATW,QAAA,0BAA0B,8BASrC","sourcesContent":["import { Chain } from 'dop-engine-v3';\nimport { TXIDVersion } from 'dop-sharedmodels-v3';\nimport { reportAndSanitizeError } from '../../../utils/error';\nimport { getEngine } from '../core/engine';\n\nexport const refreshBalances = async (\n chain: Chain,\n walletIdFilter: Optional<string[]>,\n): Promise<void> => {\n try {\n // Wallet will trigger .emit('scanned', {chain}) event when finished,\n // which calls `onBalancesUpdate` (balance-update.ts).\n\n // Kick off a background merkletree scan.\n // This will call wallet.scanBalances when it's done, but may take some time.\n\n const engine = getEngine();\n await engine.scanContractHistory(chain, walletIdFilter);\n } catch (err) {\n throw reportAndSanitizeError(refreshBalances.name, err);\n }\n};\n\nexport const rescanFullUTXOMerkletreesAndWallets = async (\n chain: Chain,\n walletIdFilter: Optional<string[]>,\n): Promise<void> => {\n try {\n const engine = getEngine();\n await engine.fullRescanUTXOMerkletreesAndWallets(chain, walletIdFilter);\n\n // Wallet will trigger .emit('scanned', {chain}) event when finished,\n // which calls `onBalancesUpdate` (balance-update.ts).\n } catch (err) {\n throw reportAndSanitizeError(rescanFullUTXOMerkletreesAndWallets.name, err);\n }\n};\n\nexport const resetFullTXIDMerkletreesV2 = async (\n chain: Chain,\n): Promise<void> => {\n try {\n const engine = getEngine();\n await engine.fullResetTXIDMerkletreesV2(chain);\n } catch (err) {\n throw reportAndSanitizeError(resetFullTXIDMerkletreesV2.name, err);\n }\n};\n"]}
1
+ {"version":3,"file":"balances.js","sourceRoot":"","sources":["../../../../src/services/dop/wallets/balances.ts"],"names":[],"mappings":";;;AAEA,gDAA8D;AAC9D,2CAA2C;AAE3C,+DAA+D;AAC/D,MAAM,YAAY,GAAG,IAAI,GAAG,EAAyB,CAAC;AAEtD,oCAAoC;AACpC,MAAM,WAAW,GAAG,CAAC,KAAY,EAAU,EAAE;IAC3C,OAAO,GAAG,KAAK,CAAC,IAAI,IAAI,KAAK,CAAC,EAAE,EAAE,CAAC;AACrC,CAAC,CAAC;AAEK,MAAM,eAAe,GAAG,KAAK,EAClC,KAAY,EACZ,cAAkC,EACnB,EAAE;IACjB,MAAM,QAAQ,GAAG,WAAW,CAAC,KAAK,CAAC,CAAC;IAEpC,wDAAwD;IACxD,MAAM,YAAY,GAAG,YAAY,CAAC,GAAG,CAAC,QAAQ,CAAC,CAAC;IAChD,IAAI,YAAY,EAAE;QAChB,OAAO,CAAC,GAAG,CAAC,yCAAyC,QAAQ,iCAAiC,CAAC,CAAC;QAChG,uEAAuE;QACvE,MAAM,YAAY,CAAC;QACnB,OAAO,CAAC,GAAG,CAAC,uCAAuC,QAAQ,EAAE,CAAC,CAAC;QAC/D,OAAO;KACR;IAED,IAAI;QACF,qEAAqE;QACrE,sDAAsD;QAEtD,yCAAyC;QACzC,6EAA6E;QAE7E,OAAO,CAAC,GAAG,CAAC,kCAAkC,QAAQ,KAAK,CAAC,CAAC;QAC7D,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAE3B,uCAAuC;QACvC,MAAM,WAAW,GAAG,MAAM,CAAC,mBAAmB,CAAC,KAAK,EAAE,cAAc,CAAC,CAAC;QACtE,YAAY,CAAC,GAAG,CAAC,QAAQ,EAAE,WAAW,CAAC,CAAC;QAExC,gCAAgC;QAChC,MAAM,WAAW,CAAC;QAElB,OAAO,CAAC,GAAG,CAAC,2CAA2C,QAAQ,EAAE,CAAC,CAAC;KACpE;IAAC,OAAO,GAAG,EAAE;QACZ,OAAO,CAAC,KAAK,CAAC,2BAA2B,QAAQ,GAAG,EAAE,GAAG,CAAC,CAAC;QAC3D,MAAM,IAAA,8BAAsB,EAAC,uBAAe,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KACzD;YAAS;QACR,sEAAsE;QACtE,YAAY,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;KAC/B;AACH,CAAC,CAAC;AAzCW,QAAA,eAAe,mBAyC1B;AAEK,MAAM,mCAAmC,GAAG,KAAK,EACtD,KAAY,EACZ,cAAkC,EACnB,EAAE;IACjB,MAAM,QAAQ,GAAG,WAAW,CAAC,KAAK,CAAC,CAAC;IAEpC,wDAAwD;IACxD,MAAM,YAAY,GAAG,YAAY,CAAC,GAAG,CAAC,QAAQ,CAAC,CAAC;IAChD,IAAI,YAAY,EAAE;QAChB,OAAO,CAAC,GAAG,CAAC,gDAAgD,QAAQ,iCAAiC,CAAC,CAAC;QACvG,MAAM,YAAY,CAAC;QACnB,OAAO,CAAC,GAAG,CAAC,8CAA8C,QAAQ,EAAE,CAAC,CAAC;QACtE,OAAO;KACR;IAED,IAAI;QACF,OAAO,CAAC,GAAG,CAAC,qCAAqC,QAAQ,KAAK,CAAC,CAAC;QAChE,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAE3B,yCAAyC;QACzC,MAAM,aAAa,GAAG,MAAM,CAAC,mCAAmC,CAAC,KAAK,EAAE,cAAc,CAAC,CAAC;QACxF,YAAY,CAAC,GAAG,CAAC,QAAQ,EAAE,aAAa,CAAC,CAAC;QAE1C,kCAAkC;QAClC,MAAM,aAAa,CAAC;QAEpB,OAAO,CAAC,GAAG,CAAC,kDAAkD,QAAQ,EAAE,CAAC,CAAC;QAE1E,qEAAqE;QACrE,sDAAsD;KACvD;IAAC,OAAO,GAAG,EAAE;QACZ,OAAO,CAAC,KAAK,CAAC,kCAAkC,QAAQ,GAAG,EAAE,GAAG,CAAC,CAAC;QAClE,MAAM,IAAA,8BAAsB,EAAC,2CAAmC,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KAC7E;YAAS;QACR,mDAAmD;QACnD,YAAY,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;KAC/B;AACH,CAAC,CAAC;AArCW,QAAA,mCAAmC,uCAqC9C;AAEK,MAAM,0BAA0B,GAAG,KAAK,EAC7C,KAAY,EACG,EAAE;IACjB,IAAI;QACF,MAAM,MAAM,GAAG,IAAA,kBAAS,GAAE,CAAC;QAC3B,MAAM,MAAM,CAAC,0BAA0B,CAAC,KAAK,CAAC,CAAC;KAChD;IAAC,OAAO,GAAG,EAAE;QACZ,MAAM,IAAA,8BAAsB,EAAC,kCAA0B,CAAC,IAAI,EAAE,GAAG,CAAC,CAAC;KACpE;AACH,CAAC,CAAC;AATW,QAAA,0BAA0B,8BASrC","sourcesContent":["import { Chain } from 'dop-engine-v3';\nimport { TXIDVersion } from 'dop-sharedmodels-v3';\nimport { reportAndSanitizeError } from '../../../utils/error';\nimport { getEngine } from '../core/engine';\n\n// Track ongoing scans per chain to prevent concurrent scanning\nconst ongoingScans = new Map<string, Promise<void>>();\n\n// Helper to create unique chain key\nconst getChainKey = (chain: Chain): string => {\n return `${chain.type}:${chain.id}`;\n};\n\nexport const refreshBalances = async (\n chain: Chain,\n walletIdFilter: Optional<string[]>,\n): Promise<void> => {\n const chainKey = getChainKey(chain);\n \n // Check if a scan is already in progress for this chain\n const existingScan = ongoingScans.get(chainKey);\n if (existingScan) {\n console.log(`⏸️ Scan already in progress for chain ${chainKey}, waiting for it to complete...`);\n // Wait for the existing scan to complete instead of starting a new one\n await existingScan;\n console.log(`✅ Existing scan completed for chain ${chainKey}`);\n return;\n }\n\n try {\n // Wallet will trigger .emit('scanned', {chain}) event when finished,\n // which calls `onBalancesUpdate` (balance-update.ts).\n\n // Kick off a background merkletree scan.\n // This will call wallet.scanBalances when it's done, but may take some time.\n\n console.log(`🔄 Starting new scan for chain ${chainKey}...`);\n const engine = getEngine();\n \n // Create the scan promise and store it\n const scanPromise = engine.scanContractHistory(chain, walletIdFilter);\n ongoingScans.set(chainKey, scanPromise);\n \n // Wait for the scan to complete\n await scanPromise;\n \n console.log(`✅ Scan completed successfully for chain ${chainKey}`);\n } catch (err) {\n console.error(`❌ Scan failed for chain ${chainKey}:`, err);\n throw reportAndSanitizeError(refreshBalances.name, err);\n } finally {\n // Always remove the scan from tracking when done (success or failure)\n ongoingScans.delete(chainKey);\n }\n};\n\nexport const rescanFullUTXOMerkletreesAndWallets = async (\n chain: Chain,\n walletIdFilter: Optional<string[]>,\n): Promise<void> => {\n const chainKey = getChainKey(chain);\n \n // Check if a scan is already in progress for this chain\n const existingScan = ongoingScans.get(chainKey);\n if (existingScan) {\n console.log(`⏸️ Full rescan already in progress for chain ${chainKey}, waiting for it to complete...`);\n await existingScan;\n console.log(`✅ Existing full rescan completed for chain ${chainKey}`);\n return;\n }\n\n try {\n console.log(`🔄 Starting full rescan for chain ${chainKey}...`);\n const engine = getEngine();\n \n // Create the rescan promise and store it\n const rescanPromise = engine.fullRescanUTXOMerkletreesAndWallets(chain, walletIdFilter);\n ongoingScans.set(chainKey, rescanPromise);\n \n // Wait for the rescan to complete\n await rescanPromise;\n\n console.log(`✅ Full rescan completed successfully for chain ${chainKey}`);\n \n // Wallet will trigger .emit('scanned', {chain}) event when finished,\n // which calls `onBalancesUpdate` (balance-update.ts).\n } catch (err) {\n console.error(`❌ Full rescan failed for chain ${chainKey}:`, err);\n throw reportAndSanitizeError(rescanFullUTXOMerkletreesAndWallets.name, err);\n } finally {\n // Always remove the rescan from tracking when done\n ongoingScans.delete(chainKey);\n }\n};\n\nexport const resetFullTXIDMerkletreesV2 = async (\n chain: Chain,\n): Promise<void> => {\n try {\n const engine = getEngine();\n await engine.fullResetTXIDMerkletreesV2(chain);\n } catch (err) {\n throw reportAndSanitizeError(resetFullTXIDMerkletreesV2.name, err);\n }\n};\n"]}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "dop-wallet-v6",
3
- "version": "1.3.0",
3
+ "version": "1.3.2",
4
4
  "description": "DOP Wallet SDK, compatible with mobile, browser and nodejs environments.",
5
5
  "main": "dist/index.js",
6
6
  "license": "MIT",
@@ -1,34 +1,43 @@
1
1
  diff --git a/node_modules/dop-engine-v3/dist/contracts/dop-smart-wallet/V2/dop-smart-wallet.js b/node_modules/dop-engine-v3/dist/contracts/dop-smart-wallet/V2/dop-smart-wallet.js
2
- index 56b2ecb..e5f75b7 100644
2
+ index 56b2ecb..de7587c 100644
3
3
  --- a/node_modules/dop-engine-v3/dist/contracts/dop-smart-wallet/V2/dop-smart-wallet.js
4
4
  +++ b/node_modules/dop-engine-v3/dist/contracts/dop-smart-wallet/V2/dop-smart-wallet.js
5
5
  @@ -75,6 +75,7 @@ class DopSmartWalletContract extends events_1.default {
6
6
  * @returns isValid
7
7
  */
8
8
  async validateMerkleroot(tree, root) {
9
- + console.log(`Validating V2 merkleroot for tree ${tree} : ${root}`);
9
+ + debugger_1.default.log(`Validating V2 merkleroot for tree ${tree} : ${root}`);
10
10
  try {
11
11
  const isValidMerkleroot = await this.contract.rootHistory(tree, bytes_1.ByteUtils.formatToByteLength(root, bytes_1.ByteLength.UINT_256, true));
12
12
  // if (!isValidMerkleroot && EngineDebug.isTestRun()) {
13
+ @@ -268,7 +269,7 @@ class DopSmartWalletContract extends events_1.default {
14
+ */
15
+ async getHistoricalEvents(initialStartBlock, latestBlock, getNextStartBlockFromValidMerkletree, eventsCommitmentListener, eventsNullifierListener, eventsDecryptListener, setLastSyncedBlock) {
16
+ const engineV3StartBlockNumber = DopSmartWalletContract.getEngineV2StartBlockNumber(this.chain);
17
+ - console.log("this.chain.id == 196::::::: SCAN_CHUNKS", this.chain, SCAN_CHUNKS);
18
+ + debugger_1.default.log("SCAN_CHUNKS", this.chain, SCAN_CHUNKS);
19
+ const engineV3EncryptEventUpdate030923BlockNumber = DopSmartWalletContract.getEngineV2EncryptEventUpdate030923BlockNumber(this.chain);
20
+ // TODO: Possible data integrity issue in using commitment block numbers.
21
+ // Decrypts and Nullifiers are scanned from the latest commitment block.
13
22
  diff --git a/node_modules/dop-engine-v3/dist/dop-engine.js b/node_modules/dop-engine-v3/dist/dop-engine.js
14
- index d1e96e8..31c592d 100644
23
+ index d1e96e8..7bf4db9 100644
15
24
  --- a/node_modules/dop-engine-v3/dist/dop-engine.js
16
25
  +++ b/node_modules/dop-engine-v3/dist/dop-engine.js
17
26
  @@ -254,14 +254,17 @@ class DopEngine extends events_1.default {
18
27
  }
19
28
  async performQuickSync(txidVersion, chain, endProgress, retryCount = 0) {
20
29
  try {
21
- + console.log("Starting quick sync...");
30
+ + debugger_1.default.log("Starting quick sync...");
22
31
  debugger_1.default.log(`[${txidVersion}] quickSync: chain ${chain.type}:${chain.id}`);
23
32
  const utxoMerkletree = this.getUTXOMerkletree(txidVersion, chain);
24
33
  const startScanningBlockQuickSync = await this.getStartScanningBlock(txidVersion, chain);
25
- + console.log(`Quick syncing UTXO merkletree for txid version ${txidVersion} on chain ${chain.type}:${chain.id} from block ${startScanningBlockQuickSync}...`);
34
+ + debugger_1.default.log(`Quick syncing UTXO merkletree for txid version ${txidVersion} on chain ${chain.type}:${chain.id} from block ${startScanningBlockQuickSync}...`);
26
35
  debugger_1.default.log(`[${txidVersion}] Start scanning block for QuickSync: ${startScanningBlockQuickSync}`);
27
36
  this.emitUTXOMerkletreeScanUpdateEvent(txidVersion, chain, endProgress * 0.2); // 10% / 50%
28
37
  // Fetch events
29
38
  const { commitmentEvents, decryptEvents, nullifierEvents, dopTransactionEvents } = await this.quickSyncEvents(txidVersion, chain, startScanningBlockQuickSync);
30
39
  if (dopTransactionEvents) {
31
- + console.log(`QuickSync dopTransactionEvents: ${dopTransactionEvents.length}`);
40
+ + debugger_1.default.log(`QuickSync dopTransactionEvents: ${dopTransactionEvents.length}`);
32
41
  debugger_1.default.log(`[${txidVersion}] QuickSync dopTransactionEvents: ${dopTransactionEvents.length}`);
33
42
  await this.handleNewDopTransactionsV3(txidVersion, chain, dopTransactionEvents);
34
43
  }
@@ -36,7 +45,7 @@ index d1e96e8..31c592d 100644
36
45
  await this.decryptListener(txidVersion, chain, decryptEvents);
37
46
  this.emitUTXOMerkletreeScanUpdateEvent(txidVersion, chain, endProgress * 0.5); // 25% / 50%
38
47
  await this.nullifierListener(txidVersion, chain, nullifierEvents);
39
- + console.log(`QuickSync commitmentEvents: ${commitmentEvents.length}`);
48
+ + debugger_1.default.log(`QuickSync commitmentEvents: ${commitmentEvents.length}`);
40
49
  debugger_1.default.log(`[${txidVersion}] QuickSync commitments: ${commitmentEvents.length}`);
41
50
  // Make sure commitments are scanned after Decrypts and Nullifiers.
42
51
  await this.commitmentListener(txidVersion, chain, commitmentEvents, false, // shouldUpdateTrees - wait until after all commitments added
@@ -44,7 +53,7 @@ index d1e96e8..31c592d 100644
44
53
  await this.performQuickSync(txidVersion, chain, endProgress, retryCount + 1);
45
54
  return;
46
55
  }
47
- + console.error('Quick sync failed:', cause);
56
+ + debugger_1.default.error('Quick sync failed:', cause);
48
57
  debugger_1.default.error(new Error('Failed to quick sync', { cause }));
49
58
  }
50
59
  }
@@ -52,10 +61,10 @@ index d1e96e8..31c592d 100644
52
61
  continue;
53
62
  }
54
63
  // eslint-disable-next-line no-await-in-loop
55
- + console.log(`Scanning UTXO history for txid version ${txidVersion} on chain ${chain.type}:${chain.id}...`);
64
+ + debugger_1.default.log(`Scanning UTXO history for txid version ${txidVersion} on chain ${chain.type}:${chain.id}...`);
56
65
  await this.scanUTXOHistory(txidVersion, chain, walletIdFilter);
57
66
  }
58
- + console.log("Finished scanning UTXO history");
67
+ + debugger_1.default.log("Finished scanning UTXO history");
59
68
  await this.scanTXIDHistoryV2(chain);
60
69
  }
61
70
  /**
@@ -71,9 +80,9 @@ index d1e96e8..31c592d 100644
71
80
  */
72
81
  async loadNetwork(chain, dopSmartWalletContractAddress, relayAdaptV2ContractAddress, poseidonMerkleAccumulatorV3Address, poseidonMerkleVerifierV3Address, tokenVaultV3Address, defaultProvider, pollingProvider, deploymentBlocks, supportsV3) {
73
82
  debugger_1.default.log(`loadNetwork: ${chain.type}:${chain.id}`);
74
- + console.log(`Loading network: ${chain.type}:${chain.id}`);
83
+ + debugger_1.default.log(`Loading network: ${chain.type}:${chain.id}`);
75
84
  try {
76
- + console.log(`Waiting for default RPC provider to connect...`);
85
+ + debugger_1.default.log(`Waiting for default RPC provider to connect...`);
77
86
  await (0, promises_1.promiseTimeout)(defaultProvider.getBlockNumber(), 60_000, 'Timed out waiting for default RPC provider to connect.');
78
87
  }
79
88
  catch (cause) {
@@ -81,19 +90,19 @@ index d1e96e8..31c592d 100644
81
90
  contract_store_1.ContractStore.poseidonMerkleVerifierV3Contracts.set(null, chain, new poseidon_merkle_verifier_1.PoseidonMerkleVerifierContract(poseidonMerkleVerifierV3Address, defaultProvider));
82
91
  contract_store_1.ContractStore.tokenVaultV3Contracts.set(null, chain, new token_vault_contract_1.TokenVaultContract(tokenVaultV3Address, defaultProvider));
83
92
  }
84
- + console.log(`Setting up merkletrees for ${chain.type}:${chain.id} ACTIVE_TXID_VERSIONS=${poi_types_1.ACTIVE_TXID_VERSIONS.join(', ')} `);
93
+ + debugger_1.default.log(`Setting up merkletrees for ${chain.type}:${chain.id} ACTIVE_TXID_VERSIONS=${poi_types_1.ACTIVE_TXID_VERSIONS.join(', ')} `);
85
94
  for (const txidVersion of poi_types_1.ACTIVE_UTXO_MERKLETREE_TXID_VERSIONS) {
86
95
  // eslint-disable-next-line no-await-in-loop
87
- + console.log(`Setting up UTXO merkletree for ${chain.type}:${chain.id} - ${txidVersion}`);
88
- + console.log(`Validating UTXO merkleroot for ${chain.type}:${chain.id} - ${txidVersion}`);
96
+ + debugger_1.default.log(`Setting up UTXO merkletree for ${chain.type}:${chain.id} - ${txidVersion}`);
97
+ + debugger_1.default.log(`Validating UTXO merkleroot for ${chain.type}:${chain.id} - ${txidVersion}`);
89
98
  const utxoMerkletree = await utxo_merkletree_1.UTXOMerkletree.create(this.db, chain, txidVersion,
90
99
  // eslint-disable-next-line @typescript-eslint/no-shadow
91
100
  (txidVersion, chain, tree, index, merkleroot) => DopEngine.validateMerkleroot(txidVersion, chain, tree, index, merkleroot));
92
- + console.log(`UTXO merkletree created for ${chain.type}:${chain.id} - ${txidVersion}`);
101
+ + debugger_1.default.log(`UTXO merkletree created for ${chain.type}:${chain.id} - ${txidVersion}`);
93
102
  this.utxoMerkletrees.set(txidVersion, chain, utxoMerkletree);
94
103
  // Load utxo merkletree to all wallets
95
104
  // eslint-disable-next-line no-await-in-loop
96
- + console.log(`Loading UTXO merkletree to wallets for ${chain.type}:${chain.id} - ${txidVersion}`);
105
+ + debugger_1.default.log(`Loading UTXO merkletree to wallets for ${chain.type}:${chain.id} - ${txidVersion}`);
97
106
  await Promise.all(Object.values(this.wallets).map(async (wallet) => {
98
107
  await wallet.loadUTXOMerkletree(txidVersion, utxoMerkletree);
99
108
  }));
@@ -101,7 +110,7 @@ index d1e96e8..31c592d 100644
101
110
  // Wallet Txid merkletree
102
111
  const autoValidate = async () => true;
103
112
  // eslint-disable-next-line no-await-in-loop
104
- + console.log(`Setting up TXID merkletree for ${chain.type}:${chain.id} - ${txidVersion}`);
113
+ + debugger_1.default.log(`Setting up TXID merkletree for ${chain.type}:${chain.id} - ${txidVersion}`);
105
114
  txidMerkletree = await txid_merkletree_1.TXIDMerkletree.createForWallet(this.db, chain, txidVersion,
106
115
  // For V3, we receive events in realtime, and validation is done via on-chain verificationHash field.
107
116
  supportsV3 ? autoValidate : this.validateDopTxidMerkleroot);
@@ -109,7 +118,7 @@ index d1e96e8..31c592d 100644
109
118
  if (this.skipMerkletreeScans) {
110
119
  return;
111
120
  }
112
- + console.log(`Setting up merkletrees for ${chain.type}:${chain.id}`);
121
+ + debugger_1.default.log(`Setting up merkletrees for ${chain.type}:${chain.id}`);
113
122
  // Set up listeners
114
123
  const commitmentListener = async (txidVersion, commitmentEvents) => {
115
124
  await this.commitmentListener(txidVersion, chain, commitmentEvents, true, // shouldUpdateTrees
@@ -117,7 +126,7 @@ index d1e96e8..31c592d 100644
117
126
  false);
118
127
  }
119
128
  };
120
- + console.log(`Setting commitment listener for ${chain.type}:${chain.id}`);
129
+ + debugger_1.default.log(`Setting commitment listener for ${chain.type}:${chain.id}`);
121
130
  const nullifierListener = async (txidVersion, nullifiers) => {
122
131
  await this.nullifierListener(txidVersion, chain, nullifiers);
123
132
  // Only start wallet balance decryption if utxoMerkletree is not already scanning
@@ -125,7 +134,7 @@ index d1e96e8..31c592d 100644
125
134
  const decryptListener = async (txidVersion, decrypts) => {
126
135
  await this.decryptListener(txidVersion, chain, decrypts);
127
136
  };
128
- + console.log(`Setting merkletree listeners for ${chain.type}:${chain.id}`);
137
+ + debugger_1.default.log(`Setting merkletree listeners for ${chain.type}:${chain.id}`);
129
138
  await contract_store_1.ContractStore.dopSmartWalletContracts
130
139
  .get(null, chain)
131
140
  ?.setTreeUpdateListeners(commitmentListener, nullifierListener, decryptListener);
@@ -133,7 +142,7 @@ index d1e96e8..31c592d 100644
133
142
  false);
134
143
  }
135
144
  };
136
- + console.log(`Setting V3 merkletree listeners for ${chain.type}:${chain.id}`);
145
+ + debugger_1.default.log(`Setting V3 merkletree listeners for ${chain.type}:${chain.id}`);
137
146
  await contract_store_1.ContractStore.poseidonMerkleAccumulatorV3Contracts
138
147
  .get(null, chain)
139
148
  ?.setTreeUpdateListeners(commitmentListenerV3, // No wallet scans
@@ -141,14 +150,14 @@ index d1e96e8..31c592d 100644
141
150
  * @returns id
142
151
  */
143
152
  async createWalletFromMnemonic(encryptionKey, mnemonic, index = 0, creationBlockNumbers = undefined) {
144
- + console.log('Creating wallet from mnemonic...');
153
+ + debugger_1.default.log('Creating wallet from mnemonic...');
145
154
  const wallet = await dop_wallet_1.DopWallet.fromMnemonic(this.db, encryptionKey, mnemonic, index, creationBlockNumbers, this.prover);
146
- + console.log('Wallet created. Loading wallet...');
155
+ + debugger_1.default.log('Wallet created. Loading wallet...');
147
156
  await this.loadWallet(wallet);
148
157
  return wallet;
149
158
  }
150
159
  diff --git a/node_modules/dop-engine-v3/dist/merkletree/merkletree.js b/node_modules/dop-engine-v3/dist/merkletree/merkletree.js
151
- index 8ca9cd7..aa1b812 100644
160
+ index 8ca9cd7..0daafc3 100644
152
161
  --- a/node_modules/dop-engine-v3/dist/merkletree/merkletree.js
153
162
  +++ b/node_modules/dop-engine-v3/dist/merkletree/merkletree.js
154
163
  @@ -272,9 +272,19 @@ class Merkletree {
@@ -163,8 +172,8 @@ index 8ca9cd7..aa1b812 100644
163
172
  +
164
173
  + // Validate metadata structure
165
174
  + if (typeof storedMetadata !== 'object' || !storedMetadata.trees) {
166
- + console.warn('Invalid metadata format (expected object with trees property), got:', typeof storedMetadata, storedMetadata);
167
- + console.log('Clearing corrupted metadata and starting fresh');
175
+ + debugger_1.default.warn('Invalid metadata format (expected object with trees property), got:', typeof storedMetadata, storedMetadata);
176
+ + debugger_1.default.warn('Clearing corrupted metadata and starting fresh');
168
177
  + return;
169
178
  + }
170
179
  +
@@ -182,12 +191,12 @@ index 8ca9cd7..aa1b812 100644
182
191
  + return undefined;
183
192
  + }
184
193
  + const metadata = msgpack_lite_1.default.decode(bytes_1.ByteUtils.arrayify(rawData));
185
- + console.log('Successfully decoded merkletree metadata');
194
+ + debugger_1.default.log('Successfully decoded merkletree metadata');
186
195
  return metadata;
187
196
  }
188
197
  - catch {
189
198
  + catch (err) {
190
- + console.log('Error fetching merkletree metadata:', err);
199
+ + debugger_1.default.error('Error fetching merkletree metadata:', err);
191
200
  return undefined;
192
201
  }
193
202
  }
@@ -237,22 +246,31 @@ index c6e9aca..dd634ae 100644
237
246
  exports.signEDDSA = signEDDSA;
238
247
  function verifyEDDSA(message, signature, pubkey) {
239
248
  diff --git a/node_modules/dop-engine-v3/dist/wallet/abstract-wallet.js b/node_modules/dop-engine-v3/dist/wallet/abstract-wallet.js
240
- index f80d71f..d7b13da 100644
249
+ index f80d71f..f3ce181 100644
241
250
  --- a/node_modules/dop-engine-v3/dist/wallet/abstract-wallet.js
242
251
  +++ b/node_modules/dop-engine-v3/dist/wallet/abstract-wallet.js
252
+ @@ -678,7 +678,7 @@ class AbstractWallet extends events_1.default {
253
+ // const commitmentType: CommitmentType = AbstractWallet.getCommitmentType(leaf);
254
+ // // const commitmentType = 'EncryptCommitment';
255
+ // // if(CommitmentType.EncryptCommitment === commitmentType){
256
+ - // // console.log("userWalletFromTransaction pulling in :: 0", commitmentType)
257
+ + // // debugger_1.default("userWalletFromTransaction pulling in :: 0", commitmentType)
258
+ // // }
259
+ // const tokenDataGetter = this.createTokenDataGetter();
260
+ // switch (commitmentType) {
243
261
  @@ -1695,6 +1695,7 @@ class AbstractWallet extends events_1.default {
244
262
  return msgpack_lite_1.default.decode(bytes_1.ByteUtils.fastHexToBytes(await db.getEncrypted(AbstractWallet.dbPath(id), encryptionKey)));
245
263
  }
246
264
  static async write(db, id, encryptionKey, data) {
247
- + console.log('Writing wallet data to db...');
265
+ + debugger_1.default.log('Writing wallet data to db...');
248
266
  await db.putEncrypted(AbstractWallet.dbPath(id), encryptionKey, msgpack_lite_1.default.encode(data));
249
267
  }
250
268
  static async delete(db, id) {
251
269
  diff --git a/node_modules/dop-engine-v3/dist/wallet/dop-wallet.js b/node_modules/dop-engine-v3/dist/wallet/dop-wallet.js
252
- index d0dcdad..55c1fad 100644
270
+ index d0dcdad..f89e73c 100644
253
271
  --- a/node_modules/dop-engine-v3/dist/wallet/dop-wallet.js
254
272
  +++ b/node_modules/dop-engine-v3/dist/wallet/dop-wallet.js
255
- @@ -63,7 +63,10 @@ class DopWallet extends abstract_wallet_1.AbstractWallet {
273
+ @@ -63,7 +63,14 @@ class DopWallet extends abstract_wallet_1.AbstractWallet {
256
274
  static async fromMnemonic(db, encryptionKey, mnemonic, index, creationBlockNumbers, prover) {
257
275
  const id = DopWallet.generateID(mnemonic, index);
258
276
  // Write encrypted mnemonic to DB
@@ -260,6 +278,10 @@ index d0dcdad..55c1fad 100644
260
278
  + try {
261
279
  + await abstract_wallet_1.AbstractWallet.write(db, id, encryptionKey, { mnemonic, index, creationBlockNumbers });
262
280
  + } catch (error) {
281
+ + // Only ignore if wallet already exists
282
+ + if (!error.message?.includes('already exists')) {
283
+ + throw new Error(`Failed to persist wallet: ${error.message}`);
284
+ + }
263
285
  + }
264
286
  return this.createWallet(id, db, mnemonic, index, creationBlockNumbers, prover);
265
287
  }