@bantis/local-cipher 2.0.0 → 2.1.0

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.
@@ -0,0 +1 @@
1
+ {"version":3,"file":"angular.js","sources":["../src/types/index.ts","../src/core/EncryptionHelper.ts","../src/core/EventEmitter.ts","../src/utils/logger.ts","../src/core/KeyRotation.ts","../src/core/NamespacedStorage.ts","../src/utils/compression.ts","../src/core/SecureStorage.ts","../src/utils/debug.ts","../src/index.ts","../node_modules/tslib/tslib.es6.js","../src/angular/SecureStorageService.ts"],"sourcesContent":["/**\n * Configuration types for @bantis/local-cipher\n */\n\n/**\n * Encryption configuration options\n */\nexport interface EncryptionConfig {\n /** Number of PBKDF2 iterations (default: 100000) */\n iterations?: number;\n /** Salt length in bytes (default: 16) */\n saltLength?: number;\n /** IV length in bytes (default: 12) */\n ivLength?: number;\n /** Custom app identifier for fingerprinting (default: 'bantis-local-cipher-v2') */\n appIdentifier?: string;\n /** AES key length in bits (default: 256) */\n keyLength?: 128 | 192 | 256;\n}\n\n/**\n * Storage configuration options\n */\nexport interface StorageConfig {\n /** Enable data compression (default: true for values > 1KB) */\n compression?: boolean;\n /** Compression threshold in bytes (default: 1024) */\n compressionThreshold?: number;\n /** Enable automatic cleanup of expired items (default: true) */\n autoCleanup?: boolean;\n /** Auto cleanup interval in ms (default: 60000 - 1 minute) */\n cleanupInterval?: number;\n}\n\n/**\n * Debug configuration options\n */\nexport interface DebugConfig {\n /** Enable debug mode (default: false) */\n enabled?: boolean;\n /** Log level (default: 'info') */\n logLevel?: LogLevel;\n /** Custom log prefix (default: 'SecureStorage') */\n prefix?: string;\n}\n\n/**\n * Log levels\n */\nexport type LogLevel = 'silent' | 'error' | 'warn' | 'info' | 'debug' | 'verbose';\n\n/**\n * Complete configuration for SecureStorage\n */\nexport interface SecureStorageConfig {\n /** Encryption configuration */\n encryption?: EncryptionConfig;\n /** Storage configuration */\n storage?: StorageConfig;\n /** Debug configuration */\n debug?: DebugConfig;\n}\n\n/**\n * Stored value with metadata\n */\nexport interface StoredValue {\n /** Encrypted value */\n value: string;\n /** Expiration timestamp (ms since epoch) */\n expiresAt?: number;\n /** Creation timestamp (ms since epoch) */\n createdAt: number;\n /** Last modified timestamp (ms since epoch) */\n modifiedAt: number;\n /** Data version for migration */\n version: number;\n /** Whether value is compressed */\n compressed?: boolean;\n /** SHA-256 checksum for integrity */\n checksum?: string;\n}\n\n/**\n * Options for setItemWithExpiry\n */\nexport interface ExpiryOptions {\n /** Expiration time in milliseconds from now */\n expiresIn?: number;\n /** Absolute expiration date */\n expiresAt?: Date;\n}\n\n/**\n * Encrypted backup structure\n */\nexport interface EncryptedBackup {\n /** Backup version */\n version: string;\n /** Backup timestamp */\n timestamp: number;\n /** Encrypted data */\n data: Record<string, string>;\n /** Backup metadata */\n metadata: {\n /** Key version used for encryption */\n keyVersion: number;\n /** Encryption algorithm */\n algorithm: string;\n /** Number of items */\n itemCount: number;\n };\n}\n\n/**\n * Integrity information\n */\nexport interface IntegrityInfo {\n /** Whether data is valid */\n valid: boolean;\n /** Last modified timestamp */\n lastModified: number;\n /** SHA-256 checksum */\n checksum: string;\n /** Data version */\n version: number;\n}\n\n/**\n * Storage event types\n */\nexport type StorageEventType =\n | 'encrypted'\n | 'decrypted'\n | 'deleted'\n | 'cleared'\n | 'expired'\n | 'error'\n | 'keyRotated'\n | 'compressed'\n | 'decompressed';\n\n/**\n * Storage event data\n */\nexport interface StorageEventData {\n /** Event type */\n type: StorageEventType;\n /** Key involved (if applicable) */\n key?: string;\n /** Event timestamp */\n timestamp: number;\n /** Additional metadata */\n metadata?: any;\n /** Error (if type is 'error') */\n error?: Error;\n}\n\n/**\n * Event listener function\n */\nexport type EventListener = (data: StorageEventData) => void;\n\n/**\n * Default configuration values\n */\nexport const DEFAULT_CONFIG: Required<SecureStorageConfig> = {\n encryption: {\n iterations: 100000,\n saltLength: 16,\n ivLength: 12,\n appIdentifier: 'bantis-local-cipher-v2',\n keyLength: 256,\n },\n storage: {\n compression: true,\n compressionThreshold: 1024,\n autoCleanup: true,\n cleanupInterval: 60000,\n },\n debug: {\n enabled: false,\n logLevel: 'info',\n prefix: 'SecureStorage',\n },\n};\n\n/**\n * Current library version\n */\nexport const LIBRARY_VERSION = '2.0.0';\n\n/**\n * Storage data version\n */\nexport const STORAGE_VERSION = 2;\n","import type { EncryptionConfig } from '../types';\nimport { DEFAULT_CONFIG } from '../types';\n\n/**\n * EncryptionHelper - Clase responsable de todas las operaciones criptográficas\n * Implementa AES-256-GCM con derivación de claves PBKDF2 y fingerprinting del navegador\n */\nexport class EncryptionHelper {\n // Constantes criptográficas (ahora configurables)\n private static readonly ALGORITHM = 'AES-GCM';\n private static readonly HASH_ALGORITHM = 'SHA-256';\n private static readonly SALT_STORAGE_KEY = '__app_salt';\n private static readonly KEY_VERSION_KEY = '__key_version';\n\n // Configuración\n private readonly config: Required<EncryptionConfig>;\n\n // Propiedades privadas\n private key: CryptoKey | null = null;\n private baseKey: string = '';\n private baseKeyPromise: Promise<string> | null = null;\n private keyVersion: number = 1;\n\n constructor(config?: EncryptionConfig) {\n this.config = { ...DEFAULT_CONFIG.encryption, ...config } as Required<EncryptionConfig>;\n\n // Load key version from storage\n const storedVersion = localStorage.getItem(EncryptionHelper.KEY_VERSION_KEY);\n if (storedVersion) {\n this.keyVersion = parseInt(storedVersion, 10);\n }\n }\n\n /**\n * Get current key version\n */\n public getKeyVersion(): number {\n return this.keyVersion;\n }\n\n /**\n * Genera un fingerprint único del navegador\n * Combina múltiples características del navegador para crear una huella digital\n */\n private async generateBaseKey(): Promise<string> {\n if (this.baseKeyPromise) {\n return this.baseKeyPromise;\n }\n\n this.baseKeyPromise = (async () => {\n const components = [\n navigator.userAgent,\n navigator.language,\n screen.width.toString(),\n screen.height.toString(),\n screen.colorDepth.toString(),\n new Intl.DateTimeFormat().resolvedOptions().timeZone,\n this.config.appIdentifier,\n ];\n\n const fingerprint = components.join('|');\n this.baseKey = await this.hashString(fingerprint);\n return this.baseKey;\n })();\n\n return this.baseKeyPromise;\n }\n\n /**\n * Hashea un string usando SHA-256\n * @param str - String a hashear\n * @returns Hash hexadecimal\n */\n private async hashString(str: string): Promise<string> {\n const encoder = new TextEncoder();\n const data = encoder.encode(str);\n const hashBuffer = await crypto.subtle.digest(EncryptionHelper.HASH_ALGORITHM, data);\n return this.arrayBufferToHex(hashBuffer);\n }\n\n /**\n * Deriva una clave criptográfica usando PBKDF2\n * @param password - Password base (fingerprint)\n * @param salt - Salt aleatorio\n * @returns CryptoKey para AES-GCM\n */\n private async deriveKey(password: string, salt: Uint8Array): Promise<CryptoKey> {\n const encoder = new TextEncoder();\n const passwordBuffer = encoder.encode(password);\n\n // Importar el password como material de clave\n const keyMaterial = await crypto.subtle.importKey(\n 'raw',\n passwordBuffer,\n 'PBKDF2',\n false,\n ['deriveBits', 'deriveKey']\n );\n\n // Derivar la clave AES-GCM\n return crypto.subtle.deriveKey(\n {\n name: 'PBKDF2',\n salt,\n iterations: this.config.iterations,\n hash: EncryptionHelper.HASH_ALGORITHM,\n },\n keyMaterial,\n {\n name: EncryptionHelper.ALGORITHM,\n length: this.config.keyLength,\n },\n false,\n ['encrypt', 'decrypt']\n );\n }\n\n /**\n * Inicializa el sistema de encriptación generando un nuevo salt\n */\n public async initialize(): Promise<void> {\n // Generar salt aleatorio\n const salt = crypto.getRandomValues(new Uint8Array(this.config.saltLength));\n\n // Obtener y hashear el baseKey\n const baseKey = await this.generateBaseKey();\n\n // Derivar la clave\n this.key = await this.deriveKey(baseKey, salt);\n\n // Increment key version\n this.keyVersion++;\n localStorage.setItem(EncryptionHelper.KEY_VERSION_KEY, this.keyVersion.toString());\n\n // Guardar el salt en localStorage\n localStorage.setItem(\n EncryptionHelper.SALT_STORAGE_KEY,\n this.arrayBufferToBase64(salt.buffer)\n );\n }\n\n /**\n * Inicializa desde un salt almacenado previamente\n */\n public async initializeFromStored(): Promise<void> {\n const storedSalt = localStorage.getItem(EncryptionHelper.SALT_STORAGE_KEY);\n\n if (!storedSalt) {\n // Si no hay salt almacenado, inicializar uno nuevo\n await this.initialize();\n return;\n }\n\n // Recuperar el salt\n const salt = new Uint8Array(this.base64ToArrayBuffer(storedSalt));\n\n // Obtener el baseKey\n const baseKey = await this.generateBaseKey();\n\n // Derivar la misma clave\n this.key = await this.deriveKey(baseKey, salt);\n }\n\n /**\n * Encripta un texto plano usando AES-256-GCM\n * @param plaintext - Texto a encriptar\n * @returns Texto encriptado en Base64 (IV + datos encriptados)\n */\n public async encrypt(plaintext: string): Promise<string> {\n if (!this.key) {\n await this.initializeFromStored();\n }\n\n if (!this.key) {\n throw new Error('No se pudo inicializar la clave de encriptación');\n }\n\n // Convertir texto a bytes\n const encoder = new TextEncoder();\n const data = encoder.encode(plaintext);\n\n // Generar IV aleatorio\n const iv = crypto.getRandomValues(new Uint8Array(this.config.ivLength));\n\n // Encriptar\n const encryptedBuffer = await crypto.subtle.encrypt(\n {\n name: EncryptionHelper.ALGORITHM,\n iv,\n },\n this.key,\n data\n );\n\n // Combinar IV + datos encriptados\n const combined = new Uint8Array(iv.length + encryptedBuffer.byteLength);\n combined.set(iv, 0);\n combined.set(new Uint8Array(encryptedBuffer), iv.length);\n\n // Retornar en Base64\n return this.arrayBufferToBase64(combined.buffer);\n }\n\n /**\n * Desencripta un texto encriptado\n * @param ciphertext - Texto encriptado en Base64\n * @returns Texto plano\n */\n public async decrypt(ciphertext: string): Promise<string> {\n if (!this.key) {\n await this.initializeFromStored();\n }\n\n if (!this.key) {\n throw new Error('No se pudo inicializar la clave de encriptación');\n }\n\n try {\n // Decodificar de Base64\n const combined = new Uint8Array(this.base64ToArrayBuffer(ciphertext));\n\n // Extraer IV y datos encriptados\n const iv = combined.slice(0, this.config.ivLength);\n const encryptedData = combined.slice(this.config.ivLength);\n\n // Desencriptar\n const decryptedBuffer = await crypto.subtle.decrypt(\n {\n name: EncryptionHelper.ALGORITHM,\n iv,\n },\n this.key,\n encryptedData\n );\n\n // Convertir bytes a texto\n const decoder = new TextDecoder();\n return decoder.decode(decryptedBuffer);\n } catch (error) {\n throw new Error(`Error al desencriptar: ${error instanceof Error ? error.message : 'Error desconocido'}`);\n }\n }\n\n /**\n * Encripta el nombre de una clave para ofuscar nombres en localStorage\n * @param keyName - Nombre original de la clave\n * @returns Nombre encriptado con prefijo __enc_\n */\n public async encryptKey(keyName: string): Promise<string> {\n const baseKey = await this.generateBaseKey();\n const combined = keyName + baseKey;\n const hash = await this.hashString(combined);\n return `__enc_${hash.substring(0, 16)}`;\n }\n\n /**\n * Limpia todos los datos encriptados del localStorage\n */\n public clearEncryptedData(): void {\n const keysToRemove: string[] = [];\n\n // Identificar todas las claves encriptadas\n for (let i = 0; i < localStorage.length; i++) {\n const key = localStorage.key(i);\n if (key && key.startsWith('__enc_')) {\n keysToRemove.push(key);\n }\n }\n\n // Eliminar claves encriptadas\n keysToRemove.forEach(key => localStorage.removeItem(key));\n\n // Eliminar salt\n localStorage.removeItem(EncryptionHelper.SALT_STORAGE_KEY);\n\n // Resetear clave en memoria\n this.key = null;\n this.baseKey = '';\n this.baseKeyPromise = null;\n }\n\n /**\n * Verifica si el navegador soporta Web Crypto API\n */\n public static isSupported(): boolean {\n return !!(\n typeof crypto !== 'undefined' &&\n crypto.subtle &&\n crypto.getRandomValues\n );\n }\n\n // Métodos auxiliares para conversión de datos\n\n private arrayBufferToBase64(buffer: ArrayBuffer): string {\n const bytes = new Uint8Array(buffer);\n let binary = '';\n for (let i = 0; i < bytes.length; i++) {\n binary += String.fromCharCode(bytes[i]);\n }\n return btoa(binary);\n }\n\n private base64ToArrayBuffer(base64: string): ArrayBuffer {\n const binary = atob(base64);\n const bytes = new Uint8Array(binary.length);\n for (let i = 0; i < binary.length; i++) {\n bytes[i] = binary.charCodeAt(i);\n }\n return bytes.buffer;\n }\n\n private arrayBufferToHex(buffer: ArrayBuffer): string {\n const bytes = new Uint8Array(buffer);\n return Array.from(bytes)\n .map(b => b.toString(16).padStart(2, '0'))\n .join('');\n }\n}\n","import type { StorageEventType, StorageEventData, EventListener } from '../types';\n\n/**\n * Simple event emitter for storage events\n */\nexport class EventEmitter {\n private listeners: Map<StorageEventType, Set<EventListener>> = new Map();\n private onceListeners: Map<StorageEventType, Set<EventListener>> = new Map();\n\n /**\n * Register an event listener\n */\n on(event: StorageEventType, listener: EventListener): void {\n if (!this.listeners.has(event)) {\n this.listeners.set(event, new Set());\n }\n this.listeners.get(event)!.add(listener);\n }\n\n /**\n * Register a one-time event listener\n */\n once(event: StorageEventType, listener: EventListener): void {\n if (!this.onceListeners.has(event)) {\n this.onceListeners.set(event, new Set());\n }\n this.onceListeners.get(event)!.add(listener);\n }\n\n /**\n * Remove an event listener\n */\n off(event: StorageEventType, listener: EventListener): void {\n this.listeners.get(event)?.delete(listener);\n this.onceListeners.get(event)?.delete(listener);\n }\n\n /**\n * Remove all listeners for an event\n */\n removeAllListeners(event?: StorageEventType): void {\n if (event) {\n this.listeners.delete(event);\n this.onceListeners.delete(event);\n } else {\n this.listeners.clear();\n this.onceListeners.clear();\n }\n }\n\n /**\n * Emit an event\n */\n emit(event: StorageEventType, data: Omit<StorageEventData, 'type' | 'timestamp'>): void {\n const eventData: StorageEventData = {\n type: event,\n timestamp: Date.now(),\n ...data,\n };\n\n // Call regular listeners\n this.listeners.get(event)?.forEach(listener => {\n try {\n listener(eventData);\n } catch (error) {\n console.error(`Error in event listener for ${event}:`, error);\n }\n });\n\n // Call and remove once listeners\n const onceSet = this.onceListeners.get(event);\n if (onceSet) {\n onceSet.forEach(listener => {\n try {\n listener(eventData);\n } catch (error) {\n console.error(`Error in once listener for ${event}:`, error);\n }\n });\n this.onceListeners.delete(event);\n }\n }\n\n /**\n * Get listener count for an event\n */\n listenerCount(event: StorageEventType): number {\n const regularCount = this.listeners.get(event)?.size ?? 0;\n const onceCount = this.onceListeners.get(event)?.size ?? 0;\n return regularCount + onceCount;\n }\n\n /**\n * Get all event types with listeners\n */\n eventNames(): StorageEventType[] {\n const events = new Set<StorageEventType>();\n this.listeners.forEach((_, event) => events.add(event));\n this.onceListeners.forEach((_, event) => events.add(event));\n return Array.from(events);\n }\n}\n","import type { LogLevel, DebugConfig } from '../types';\n\n/**\n * Logger utility for debug mode\n */\nexport class Logger {\n private enabled: boolean;\n private logLevel: LogLevel;\n private prefix: string;\n\n private static readonly LOG_LEVELS: Record<LogLevel, number> = {\n silent: 0,\n error: 1,\n warn: 2,\n info: 3,\n debug: 4,\n verbose: 5,\n };\n\n constructor(config: DebugConfig = {}) {\n this.enabled = config.enabled ?? false;\n this.logLevel = config.logLevel ?? 'info';\n this.prefix = config.prefix ?? 'SecureStorage';\n }\n\n private shouldLog(level: LogLevel): boolean {\n if (!this.enabled) return false;\n return Logger.LOG_LEVELS[level] <= Logger.LOG_LEVELS[this.logLevel];\n }\n\n private formatMessage(level: string, message: string, ...args: any[]): string {\n const timestamp = new Date().toISOString();\n return `[${this.prefix}] [${level.toUpperCase()}] ${timestamp} - ${message}`;\n }\n\n error(message: string, ...args: any[]): void {\n if (this.shouldLog('error')) {\n console.error(this.formatMessage('error', message), ...args);\n }\n }\n\n warn(message: string, ...args: any[]): void {\n if (this.shouldLog('warn')) {\n console.warn(this.formatMessage('warn', message), ...args);\n }\n }\n\n info(message: string, ...args: any[]): void {\n if (this.shouldLog('info')) {\n console.info(this.formatMessage('info', message), ...args);\n }\n }\n\n debug(message: string, ...args: any[]): void {\n if (this.shouldLog('debug')) {\n console.debug(this.formatMessage('debug', message), ...args);\n }\n }\n\n verbose(message: string, ...args: any[]): void {\n if (this.shouldLog('verbose')) {\n console.log(this.formatMessage('verbose', message), ...args);\n }\n }\n\n time(label: string): void {\n if (this.enabled && this.shouldLog('debug')) {\n console.time(`[${this.prefix}] ${label}`);\n }\n }\n\n timeEnd(label: string): void {\n if (this.enabled && this.shouldLog('debug')) {\n console.timeEnd(`[${this.prefix}] ${label}`);\n }\n }\n\n group(label: string): void {\n if (this.enabled && this.shouldLog('debug')) {\n console.group(`[${this.prefix}] ${label}`);\n }\n }\n\n groupEnd(): void {\n if (this.enabled && this.shouldLog('debug')) {\n console.groupEnd();\n }\n }\n}\n","import { EncryptionHelper } from './EncryptionHelper';\nimport type { EncryptedBackup } from '../types';\nimport { Logger } from '../utils/logger';\n\n/**\n * Key rotation utilities\n */\nexport class KeyRotation {\n private encryptionHelper: EncryptionHelper;\n private logger: Logger;\n\n constructor(encryptionHelper: EncryptionHelper, logger?: Logger) {\n this.encryptionHelper = encryptionHelper;\n this.logger = logger ?? new Logger();\n }\n\n /**\n * Rotate all encryption keys\n * Re-encrypts all data with a new salt\n */\n async rotateKeys(): Promise<void> {\n this.logger.info('Starting key rotation...');\n\n // 1. Export all current data\n const backup = await this.exportEncryptedData();\n\n // 2. Clear old encryption\n this.encryptionHelper.clearEncryptedData();\n\n // 3. Initialize new encryption\n await this.encryptionHelper.initialize();\n\n // 4. Re-encrypt all data\n for (const [key, value] of Object.entries(backup.data)) {\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n const encryptedValue = await this.encryptionHelper.encrypt(value);\n localStorage.setItem(encryptedKey, encryptedValue);\n }\n\n this.logger.info(`Key rotation completed. Re-encrypted ${backup.metadata.itemCount} items`);\n }\n\n /**\n * Export all encrypted data as backup\n */\n async exportEncryptedData(): Promise<EncryptedBackup> {\n this.logger.info('Exporting encrypted data...');\n const data: Record<string, string> = {};\n let itemCount = 0;\n\n for (let i = 0; i < localStorage.length; i++) {\n const encryptedKey = localStorage.key(i);\n if (encryptedKey && encryptedKey.startsWith('__enc_')) {\n const encryptedValue = localStorage.getItem(encryptedKey);\n if (encryptedValue) {\n try {\n // Decrypt to get original key and value\n const decryptedValue = await this.encryptionHelper.decrypt(encryptedValue);\n // Store with encrypted key as identifier\n data[encryptedKey] = decryptedValue;\n itemCount++;\n } catch (error) {\n this.logger.warn(`Failed to decrypt key ${encryptedKey}:`, error);\n }\n }\n }\n }\n\n const backup: EncryptedBackup = {\n version: '2.0.0',\n timestamp: Date.now(),\n data,\n metadata: {\n keyVersion: this.encryptionHelper.getKeyVersion(),\n algorithm: 'AES-256-GCM',\n itemCount,\n },\n };\n\n this.logger.info(`Exported ${itemCount} items`);\n return backup;\n }\n\n /**\n * Import encrypted data from backup\n */\n async importEncryptedData(backup: EncryptedBackup): Promise<void> {\n this.logger.info(`Importing backup from ${new Date(backup.timestamp).toISOString()}...`);\n\n let imported = 0;\n for (const [encryptedKey, value] of Object.entries(backup.data)) {\n try {\n const encryptedValue = await this.encryptionHelper.encrypt(value);\n localStorage.setItem(encryptedKey, encryptedValue);\n imported++;\n } catch (error) {\n this.logger.error(`Failed to import key ${encryptedKey}:`, error);\n }\n }\n\n this.logger.info(`Imported ${imported}/${backup.metadata.itemCount} items`);\n }\n}\n","import type { SecureStorageConfig } from '../types';\n\n/**\n * Namespaced storage for organizing data\n */\nexport class NamespacedStorage {\n private prefix: string;\n private storage: any; // Reference to parent SecureStorage\n\n constructor(storage: any, namespace: string) {\n this.storage = storage;\n this.prefix = `__ns_${namespace}__`;\n }\n\n /**\n * Set item in this namespace\n */\n async setItem(key: string, value: string): Promise<void> {\n return this.storage.setItem(`${this.prefix}${key}`, value);\n }\n\n /**\n * Set item with expiry in this namespace\n */\n async setItemWithExpiry(key: string, value: string, options: { expiresIn?: number; expiresAt?: Date }): Promise<void> {\n return this.storage.setItemWithExpiry(`${this.prefix}${key}`, value, options);\n }\n\n /**\n * Get item from this namespace\n */\n async getItem(key: string): Promise<string | null> {\n return this.storage.getItem(`${this.prefix}${key}`);\n }\n\n /**\n * Remove item from this namespace\n */\n async removeItem(key: string): Promise<void> {\n return this.storage.removeItem(`${this.prefix}${key}`);\n }\n\n /**\n * Check if item exists in this namespace\n */\n async hasItem(key: string): Promise<boolean> {\n return this.storage.hasItem(`${this.prefix}${key}`);\n }\n\n /**\n * Clear all items in this namespace\n */\n async clearNamespace(): Promise<void> {\n const keysToRemove: string[] = [];\n\n for (let i = 0; i < localStorage.length; i++) {\n const key = localStorage.key(i);\n if (key && key.includes(this.prefix)) {\n keysToRemove.push(key.replace(this.prefix, ''));\n }\n }\n\n for (const key of keysToRemove) {\n await this.removeItem(key);\n }\n }\n\n /**\n * Get all keys in this namespace\n */\n async keys(): Promise<string[]> {\n const keys: string[] = [];\n\n for (let i = 0; i < localStorage.length; i++) {\n const key = localStorage.key(i);\n if (key && key.includes(this.prefix)) {\n keys.push(key.replace(this.prefix, ''));\n }\n }\n\n return keys;\n }\n}\n","/**\n * Compression utilities using CompressionStream API\n */\n\n/**\n * Check if compression is supported\n */\nexport function isCompressionSupported(): boolean {\n return typeof CompressionStream !== 'undefined' && typeof DecompressionStream !== 'undefined';\n}\n\n/**\n * Compress a string using gzip\n */\nexport async function compress(data: string): Promise<Uint8Array> {\n if (!isCompressionSupported()) {\n // Fallback: return uncompressed data with marker\n const encoder = new TextEncoder();\n return encoder.encode(data);\n }\n\n try {\n const encoder = new TextEncoder();\n const stream = new Blob([data]).stream();\n const compressedStream = stream.pipeThrough(new CompressionStream('gzip'));\n const compressedBlob = await new Response(compressedStream).blob();\n const buffer = await compressedBlob.arrayBuffer();\n return new Uint8Array(buffer);\n } catch (error) {\n console.warn('Compression failed, returning uncompressed data:', error);\n const encoder = new TextEncoder();\n return encoder.encode(data);\n }\n}\n\n/**\n * Decompress gzip data to string\n */\nexport async function decompress(data: Uint8Array): Promise<string> {\n if (!isCompressionSupported()) {\n // Fallback: assume uncompressed\n const decoder = new TextDecoder();\n return decoder.decode(data);\n }\n\n try {\n const stream = new Blob([data]).stream();\n const decompressedStream = stream.pipeThrough(new DecompressionStream('gzip'));\n const decompressedBlob = await new Response(decompressedStream).blob();\n return await decompressedBlob.text();\n } catch (error) {\n // If decompression fails, try to decode as plain text\n console.warn('Decompression failed, trying plain text:', error);\n const decoder = new TextDecoder();\n return decoder.decode(data);\n }\n}\n\n/**\n * Check if data should be compressed based on size\n */\nexport function shouldCompress(data: string, threshold: number = 1024): boolean {\n return data.length >= threshold;\n}\n\n/**\n * Get compression ratio\n */\nexport function getCompressionRatio(original: number, compressed: number): number {\n return compressed / original;\n}\n","import { EncryptionHelper } from './EncryptionHelper';\nimport { EventEmitter } from './EventEmitter';\nimport { KeyRotation } from './KeyRotation';\nimport { NamespacedStorage } from './NamespacedStorage';\nimport { Logger } from '../utils/logger';\nimport { compress, decompress, shouldCompress } from '../utils/compression';\nimport type {\n SecureStorageConfig,\n StoredValue,\n ExpiryOptions,\n IntegrityInfo,\n StorageEventType,\n EventListener,\n} from '../types';\nimport { DEFAULT_CONFIG, STORAGE_VERSION } from '../types';\n\n/**\n * SecureStorage v2 - API de alto nivel que imita localStorage con cifrado automático\n * Incluye: configuración personalizable, eventos, compresión, expiración, namespaces, rotación de claves\n */\nexport class SecureStorage {\n private static instance: SecureStorage | null = null;\n private encryptionHelper: EncryptionHelper;\n private eventEmitter: EventEmitter;\n private keyRotation: KeyRotation;\n private logger: Logger;\n private config: Required<SecureStorageConfig>;\n private cleanupInterval: NodeJS.Timeout | null = null;\n\n private constructor(config?: SecureStorageConfig) {\n // Merge config with defaults\n this.config = {\n encryption: { ...DEFAULT_CONFIG.encryption, ...config?.encryption },\n storage: { ...DEFAULT_CONFIG.storage, ...config?.storage },\n debug: { ...DEFAULT_CONFIG.debug, ...config?.debug },\n } as Required<SecureStorageConfig>;\n\n // Initialize components\n this.logger = new Logger(this.config.debug);\n this.encryptionHelper = new EncryptionHelper(this.config.encryption);\n this.eventEmitter = new EventEmitter();\n this.keyRotation = new KeyRotation(this.encryptionHelper, this.logger);\n\n this.logger.info('SecureStorage v2 initialized', this.config);\n\n // Setup auto-cleanup if enabled\n if (this.config.storage.autoCleanup) {\n this.setupAutoCleanup();\n }\n }\n\n /**\n * Obtiene la instancia singleton de SecureStorage\n */\n public static getInstance(config?: SecureStorageConfig): SecureStorage {\n if (!SecureStorage.instance) {\n SecureStorage.instance = new SecureStorage(config);\n }\n return SecureStorage.instance;\n }\n\n /**\n * Setup automatic cleanup of expired items\n */\n private setupAutoCleanup(): void {\n if (this.cleanupInterval) {\n clearInterval(this.cleanupInterval);\n }\n\n this.cleanupInterval = setInterval(() => {\n this.cleanExpired().catch(err => {\n this.logger.error('Auto-cleanup failed:', err);\n });\n }, this.config.storage.cleanupInterval);\n\n this.logger.debug(`Auto-cleanup enabled with interval: ${this.config.storage.cleanupInterval}ms`);\n }\n\n /**\n * Guarda un valor encriptado en localStorage\n */\n public async setItem(key: string, value: string): Promise<void> {\n this.logger.time(`setItem:${key}`);\n\n if (!EncryptionHelper.isSupported()) {\n this.logger.warn('Web Crypto API no soportada, usando localStorage sin encriptar');\n localStorage.setItem(key, value);\n return;\n }\n\n try {\n // Check if compression should be applied\n const shouldCompressData = this.config.storage.compression &&\n shouldCompress(value, this.config.storage.compressionThreshold);\n\n let processedValue = value;\n let compressed = false;\n\n if (shouldCompressData) {\n this.logger.debug(`Compressing value for key: ${key}`);\n const compressedData = await compress(value);\n processedValue = this.encryptionHelper['arrayBufferToBase64'](compressedData.buffer);\n compressed = true;\n this.eventEmitter.emit('compressed', { key });\n }\n\n // Create StoredValue wrapper\n const now = Date.now();\n const storedValue: StoredValue = {\n value: processedValue,\n createdAt: now,\n modifiedAt: now,\n version: STORAGE_VERSION,\n compressed,\n };\n\n // Calculate checksum for integrity\n const checksum = await this.calculateChecksum(processedValue);\n storedValue.checksum = checksum;\n\n // Serialize StoredValue\n const serialized = JSON.stringify(storedValue);\n\n // Encrypt the key\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n\n // Encrypt the value\n const encryptedValue = await this.encryptionHelper.encrypt(serialized);\n\n // Store in localStorage\n localStorage.setItem(encryptedKey, encryptedValue);\n\n this.logger.verbose(`Stored key: ${key}, compressed: ${compressed}, size: ${encryptedValue.length}`);\n this.eventEmitter.emit('encrypted', { key, metadata: { compressed, size: encryptedValue.length } });\n this.logger.timeEnd(`setItem:${key}`);\n } catch (error) {\n this.logger.error(`Error al guardar dato encriptado para ${key}:`, error);\n this.eventEmitter.emit('error', { key, error: error as Error });\n localStorage.setItem(key, value);\n }\n }\n\n /**\n * Guarda un valor con tiempo de expiración\n */\n public async setItemWithExpiry(key: string, value: string, options: ExpiryOptions): Promise<void> {\n this.logger.time(`setItemWithExpiry:${key}`);\n\n if (!EncryptionHelper.isSupported()) {\n this.logger.warn('Web Crypto API no soportada, usando localStorage sin encriptar');\n localStorage.setItem(key, value);\n return;\n }\n\n try {\n // Check if compression should be applied\n const shouldCompressData = this.config.storage.compression &&\n shouldCompress(value, this.config.storage.compressionThreshold);\n\n let processedValue = value;\n let compressed = false;\n\n if (shouldCompressData) {\n this.logger.debug(`Compressing value for key: ${key}`);\n const compressedData = await compress(value);\n processedValue = this.encryptionHelper['arrayBufferToBase64'](compressedData.buffer);\n compressed = true;\n this.eventEmitter.emit('compressed', { key });\n }\n\n // Calculate expiration timestamp\n let expiresAt: number | undefined;\n if (options.expiresIn) {\n expiresAt = Date.now() + options.expiresIn;\n } else if (options.expiresAt) {\n expiresAt = options.expiresAt.getTime();\n }\n\n // Create StoredValue wrapper\n const now = Date.now();\n const storedValue: StoredValue = {\n value: processedValue,\n createdAt: now,\n modifiedAt: now,\n version: STORAGE_VERSION,\n compressed,\n expiresAt,\n };\n\n // Calculate checksum for integrity\n const checksum = await this.calculateChecksum(processedValue);\n storedValue.checksum = checksum;\n\n // Serialize StoredValue\n const serialized = JSON.stringify(storedValue);\n\n // Encrypt the key\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n\n // Encrypt the value\n const encryptedValue = await this.encryptionHelper.encrypt(serialized);\n\n // Store in localStorage\n localStorage.setItem(encryptedKey, encryptedValue);\n\n this.logger.verbose(`Stored key with expiry: ${key}, expiresAt: ${expiresAt}`);\n this.eventEmitter.emit('encrypted', { key, metadata: { compressed, expiresAt } });\n this.logger.timeEnd(`setItemWithExpiry:${key}`);\n } catch (error) {\n this.logger.error(`Error al guardar dato con expiración para ${key}:`, error);\n this.eventEmitter.emit('error', { key, error: error as Error });\n throw error;\n }\n }\n\n /**\n * Recupera y desencripta un valor de localStorage\n */\n public async getItem(key: string): Promise<string | null> {\n this.logger.time(`getItem:${key}`);\n\n if (!EncryptionHelper.isSupported()) {\n return localStorage.getItem(key);\n }\n\n try {\n // Encrypt the key\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n\n // Get encrypted value\n let encryptedValue = localStorage.getItem(encryptedKey);\n\n // Backward compatibility: try with plain key\n if (!encryptedValue) {\n encryptedValue = localStorage.getItem(key);\n if (!encryptedValue) {\n this.logger.timeEnd(`getItem:${key}`);\n return null;\n }\n }\n\n // Decrypt the value\n const decrypted = await this.encryptionHelper.decrypt(encryptedValue);\n\n // Try to parse as StoredValue (v2 format)\n let storedValue: StoredValue;\n try {\n storedValue = JSON.parse(decrypted);\n\n // Validate it's a StoredValue object\n if (!storedValue.value || !storedValue.version) {\n // It's v1 format (plain string), auto-migrate\n this.logger.info(`Auto-migrating v1 data for key: ${key}`);\n await this.setItem(key, decrypted);\n this.logger.timeEnd(`getItem:${key}`);\n return decrypted;\n }\n } catch {\n // Not JSON, it's v1 format (plain string), auto-migrate\n this.logger.info(`Auto-migrating v1 data for key: ${key}`);\n await this.setItem(key, decrypted);\n this.logger.timeEnd(`getItem:${key}`);\n return decrypted;\n }\n\n // Check expiration\n if (storedValue.expiresAt && storedValue.expiresAt < Date.now()) {\n this.logger.info(`Key expired: ${key}`);\n await this.removeItem(key);\n this.eventEmitter.emit('expired', { key });\n this.logger.timeEnd(`getItem:${key}`);\n return null;\n }\n\n // Verify integrity if checksum exists\n if (storedValue.checksum) {\n const calculatedChecksum = await this.calculateChecksum(storedValue.value);\n if (calculatedChecksum !== storedValue.checksum) {\n this.logger.warn(`Integrity check failed for key: ${key}`);\n this.eventEmitter.emit('error', {\n key,\n error: new Error('Integrity verification failed')\n });\n }\n }\n\n // Decompress if needed\n let finalValue = storedValue.value;\n if (storedValue.compressed) {\n this.logger.debug(`Decompressing value for key: ${key}`);\n const compressedData = this.encryptionHelper['base64ToArrayBuffer'](storedValue.value);\n finalValue = await decompress(new Uint8Array(compressedData));\n this.eventEmitter.emit('decompressed', { key });\n }\n\n this.eventEmitter.emit('decrypted', { key });\n this.logger.timeEnd(`getItem:${key}`);\n return finalValue;\n } catch (error) {\n this.logger.error(`Error al recuperar dato encriptado para ${key}:`, error);\n this.eventEmitter.emit('error', { key, error: error as Error });\n // Fallback: try plain key\n const fallback = localStorage.getItem(key);\n this.logger.timeEnd(`getItem:${key}`);\n return fallback;\n }\n }\n\n /**\n * Elimina un valor de localStorage\n */\n public async removeItem(key: string): Promise<void> {\n if (!EncryptionHelper.isSupported()) {\n localStorage.removeItem(key);\n return;\n }\n\n try {\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n localStorage.removeItem(encryptedKey);\n localStorage.removeItem(key); // Remove both versions\n this.eventEmitter.emit('deleted', { key });\n this.logger.info(`Removed key: ${key}`);\n } catch (error) {\n this.logger.error(`Error al eliminar dato para ${key}:`, error);\n localStorage.removeItem(key);\n }\n }\n\n /**\n * Verifica si existe un valor para la clave dada\n */\n public async hasItem(key: string): Promise<boolean> {\n const value = await this.getItem(key);\n return value !== null;\n }\n\n /**\n * Limpia todos los datos encriptados\n */\n public clear(): void {\n this.encryptionHelper.clearEncryptedData();\n this.eventEmitter.emit('cleared', {});\n this.logger.info('All encrypted data cleared');\n }\n\n /**\n * Limpia todos los items expirados\n */\n public async cleanExpired(): Promise<number> {\n this.logger.info('Starting cleanup of expired items...');\n let cleanedCount = 0;\n\n const keysToCheck: string[] = [];\n for (let i = 0; i < localStorage.length; i++) {\n const key = localStorage.key(i);\n if (key && key.startsWith('__enc_')) {\n keysToCheck.push(key);\n }\n }\n\n for (const encryptedKey of keysToCheck) {\n try {\n const encryptedValue = localStorage.getItem(encryptedKey);\n if (!encryptedValue) continue;\n\n const decrypted = await this.encryptionHelper.decrypt(encryptedValue);\n const storedValue: StoredValue = JSON.parse(decrypted);\n\n if (storedValue.expiresAt && storedValue.expiresAt < Date.now()) {\n localStorage.removeItem(encryptedKey);\n cleanedCount++;\n this.eventEmitter.emit('expired', { key: encryptedKey });\n }\n } catch (error) {\n this.logger.warn(`Failed to check expiration for ${encryptedKey}:`, error);\n }\n }\n\n this.logger.info(`Cleanup completed. Removed ${cleanedCount} expired items`);\n return cleanedCount;\n }\n\n /**\n * Verifica la integridad de un valor almacenado\n */\n public async verifyIntegrity(key: string): Promise<boolean> {\n try {\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n const encryptedValue = localStorage.getItem(encryptedKey);\n\n if (!encryptedValue) return false;\n\n const decrypted = await this.encryptionHelper.decrypt(encryptedValue);\n const storedValue: StoredValue = JSON.parse(decrypted);\n\n if (!storedValue.checksum) {\n this.logger.warn(`No checksum found for key: ${key}`);\n return true; // No checksum to verify\n }\n\n const calculatedChecksum = await this.calculateChecksum(storedValue.value);\n return calculatedChecksum === storedValue.checksum;\n } catch (error) {\n this.logger.error(`Error verifying integrity for ${key}:`, error);\n return false;\n }\n }\n\n /**\n * Obtiene información de integridad de un valor\n */\n public async getIntegrityInfo(key: string): Promise<IntegrityInfo | null> {\n try {\n const encryptedKey = await this.encryptionHelper.encryptKey(key);\n const encryptedValue = localStorage.getItem(encryptedKey);\n\n if (!encryptedValue) return null;\n\n const decrypted = await this.encryptionHelper.decrypt(encryptedValue);\n const storedValue: StoredValue = JSON.parse(decrypted);\n\n const valid = storedValue.checksum\n ? await this.calculateChecksum(storedValue.value) === storedValue.checksum\n : true;\n\n return {\n valid,\n lastModified: storedValue.modifiedAt,\n checksum: storedValue.checksum || '',\n version: storedValue.version,\n };\n } catch (error) {\n this.logger.error(`Error getting integrity info for ${key}:`, error);\n return null;\n }\n }\n\n /**\n * Crea un namespace para organizar datos\n */\n public namespace(name: string): NamespacedStorage {\n this.logger.debug(`Creating namespace: ${name}`);\n return new NamespacedStorage(this, name);\n }\n\n /**\n * Rota todas las claves de encriptación\n */\n public async rotateKeys(): Promise<void> {\n this.logger.info('Starting key rotation...');\n await this.keyRotation.rotateKeys();\n this.eventEmitter.emit('keyRotated', {});\n this.logger.info('Key rotation completed');\n }\n\n /**\n * Exporta todos los datos encriptados como backup\n */\n public async exportEncryptedData() {\n return this.keyRotation.exportEncryptedData();\n }\n\n /**\n * Importa datos desde un backup\n */\n public async importEncryptedData(backup: any) {\n return this.keyRotation.importEncryptedData(backup);\n }\n\n /**\n * Registra un listener de eventos\n */\n public on(event: StorageEventType, listener: EventListener): void {\n this.eventEmitter.on(event, listener);\n }\n\n /**\n * Registra un listener de un solo uso\n */\n public once(event: StorageEventType, listener: EventListener): void {\n this.eventEmitter.once(event, listener);\n }\n\n /**\n * Elimina un listener de eventos\n */\n public off(event: StorageEventType, listener: EventListener): void {\n this.eventEmitter.off(event, listener);\n }\n\n /**\n * Elimina todos los listeners de un evento\n */\n public removeAllListeners(event?: StorageEventType): void {\n this.eventEmitter.removeAllListeners(event);\n }\n\n /**\n * Migra datos existentes no encriptados a formato encriptado\n */\n public async migrateExistingData(keys: string[]): Promise<void> {\n if (!EncryptionHelper.isSupported()) {\n this.logger.warn('Web Crypto API no soportada, no se puede migrar');\n return;\n }\n\n this.logger.info(`Iniciando migración de ${keys.length} claves...`);\n\n for (const key of keys) {\n try {\n const value = localStorage.getItem(key);\n if (value === null) continue;\n\n // Try to decrypt to check if already encrypted\n try {\n await this.encryptionHelper.decrypt(value);\n this.logger.info(`✓ ${key} ya está encriptado, saltando`);\n continue;\n } catch {\n // Not encrypted, proceed with migration\n }\n\n await this.setItem(key, value);\n localStorage.removeItem(key);\n this.logger.info(`✓ ${key} migrado exitosamente`);\n } catch (error) {\n this.logger.error(`✗ Error al migrar ${key}:`, error);\n }\n }\n\n this.logger.info('✅ Migración completada');\n }\n\n /**\n * Obtiene información de debug sobre el estado del almacenamiento\n */\n public getDebugInfo(): {\n cryptoSupported: boolean;\n encryptedKeys: string[];\n unencryptedKeys: string[];\n totalKeys: number;\n config: Required<SecureStorageConfig>;\n } {\n const allKeys: string[] = [];\n for (let i = 0; i < localStorage.length; i++) {\n const key = localStorage.key(i);\n if (key) allKeys.push(key);\n }\n\n const encryptedKeys = allKeys.filter(key => key.startsWith('__enc_'));\n const unencryptedKeys = allKeys.filter(\n key => !key.startsWith('__enc_') && key !== '__app_salt' && key !== '__key_version'\n );\n\n return {\n cryptoSupported: EncryptionHelper.isSupported(),\n encryptedKeys,\n unencryptedKeys,\n totalKeys: allKeys.length,\n config: this.config,\n };\n }\n\n /**\n * Calcula el checksum SHA-256 de un valor\n */\n private async calculateChecksum(value: string): Promise<string> {\n const encoder = new TextEncoder();\n const data = encoder.encode(value);\n const hashBuffer = await crypto.subtle.digest('SHA-256', data);\n const hashArray = Array.from(new Uint8Array(hashBuffer));\n return hashArray.map(b => b.toString(16).padStart(2, '0')).join('');\n }\n\n /**\n * Cleanup on destroy\n */\n public destroy(): void {\n if (this.cleanupInterval) {\n clearInterval(this.cleanupInterval);\n this.cleanupInterval = null;\n }\n this.removeAllListeners();\n this.logger.info('SecureStorage destroyed');\n }\n}\n","import { EncryptionHelper } from '../core/EncryptionHelper';\nimport { SecureStorage } from '../core/SecureStorage';\n\nconst secureStorage = SecureStorage.getInstance();\n\n/**\n * Función de debug para verificar el estado del sistema de encriptación\n * Muestra información detallada en la consola\n */\nexport async function debugEncryptionState(): Promise<void> {\n console.group('🔐 Estado del Sistema de Encriptación');\n\n console.log('Soporte Crypto API:', EncryptionHelper.isSupported());\n\n // Obtener información de debug\n const debugInfo = secureStorage.getDebugInfo();\n\n console.log('Claves encriptadas:', debugInfo.encryptedKeys.length);\n console.log('Claves sin encriptar:', debugInfo.unencryptedKeys);\n console.log('Total de claves:', debugInfo.totalKeys);\n\n if (debugInfo.encryptedKeys.length > 0) {\n console.log('✅ Datos encriptados encontrados:');\n debugInfo.encryptedKeys.forEach(key => {\n const value = localStorage.getItem(key);\n console.log(` ${key}: ${value?.substring(0, 30)}...`);\n });\n } else {\n console.log('⚠️ No se encontraron datos encriptados');\n }\n\n if (debugInfo.unencryptedKeys.length > 0) {\n console.log('⚠️ Claves sin encriptar encontradas:');\n debugInfo.unencryptedKeys.forEach(key => {\n console.log(` ${key}`);\n });\n }\n\n console.groupEnd();\n}\n\n/**\n * Fuerza la migración de claves comunes a formato encriptado\n * Útil para desarrollo y testing\n */\nexport async function forceMigration(customKeys?: string[]): Promise<void> {\n const defaultKeys = [\n 'accessToken',\n 'refreshToken',\n 'user',\n 'sessionId',\n 'authToken',\n 'userData',\n ];\n\n const keysToMigrate = customKeys || defaultKeys;\n\n console.log(`🔄 Iniciando migración forzada de ${keysToMigrate.length} claves...`);\n\n await secureStorage.migrateExistingData(keysToMigrate);\n\n console.log('✅ Migración forzada completada');\n\n // Mostrar estado después de la migración\n await debugEncryptionState();\n}\n\n/**\n * Limpia todos los datos encriptados (útil para testing)\n */\nexport function clearAllEncryptedData(): void {\n console.log('🗑️ Limpiando todos los datos encriptados...');\n secureStorage.clear();\n console.log('✅ Datos encriptados limpiados');\n}\n\n/**\n * Prueba el sistema de encriptación con datos de ejemplo\n */\nexport async function testEncryption(): Promise<void> {\n console.group('🧪 Prueba del Sistema de Encriptación');\n\n try {\n const testKey = '__test_encryption_key';\n const testValue = 'Este es un valor de prueba con caracteres especiales: áéíóú ñ 你好 🔐';\n\n console.log('1. Guardando valor de prueba...');\n await secureStorage.setItem(testKey, testValue);\n console.log('✅ Valor guardado');\n\n console.log('2. Recuperando valor...');\n const retrieved = await secureStorage.getItem(testKey);\n console.log('✅ Valor recuperado:', retrieved);\n\n console.log('3. Verificando integridad...');\n if (retrieved === testValue) {\n console.log('✅ Integridad verificada - Los valores coinciden');\n } else {\n console.error('❌ Error de integridad - Los valores NO coinciden');\n console.log('Original:', testValue);\n console.log('Recuperado:', retrieved);\n }\n\n console.log('4. Limpiando valor de prueba...');\n await secureStorage.removeItem(testKey);\n console.log('✅ Valor eliminado');\n\n console.log('5. Verificando eliminación...');\n const shouldBeNull = await secureStorage.getItem(testKey);\n if (shouldBeNull === null) {\n console.log('✅ Eliminación verificada');\n } else {\n console.error('❌ El valor no fue eliminado correctamente');\n }\n\n console.log('\\n✅ Todas las pruebas pasaron exitosamente');\n } catch (error) {\n console.error('❌ Error en las pruebas:', error);\n }\n\n console.groupEnd();\n}\n","/**\n * @bantis/local-cipher - Core Module\n * Framework-agnostic client-side encryption for browser storage\n * \n * @version 2.1.0\n * @license MIT\n */\n\n// Core classes\nexport { EncryptionHelper } from './core/EncryptionHelper';\nexport { SecureStorage } from './core/SecureStorage';\nexport { EventEmitter } from './core/EventEmitter';\nexport { KeyRotation } from './core/KeyRotation';\nexport { NamespacedStorage } from './core/NamespacedStorage';\n\n// Type exports\nexport type {\n EncryptionConfig,\n StorageConfig,\n DebugConfig,\n SecureStorageConfig,\n StoredValue,\n ExpiryOptions,\n EncryptedBackup,\n IntegrityInfo,\n StorageEventType,\n StorageEventData,\n EventListener,\n LogLevel,\n} from './types';\nexport { DEFAULT_CONFIG, LIBRARY_VERSION, STORAGE_VERSION } from './types';\n\n// Utility exports\nexport { Logger } from './utils/logger';\nexport { compress, decompress, shouldCompress, isCompressionSupported } from './utils/compression';\nexport { debugEncryptionState, forceMigration } from './utils/debug';\n\n// Default instance for vanilla JS\nimport { SecureStorage } from './core/SecureStorage';\nexport const secureStorage = SecureStorage.getInstance();\n\n// Version\nexport const VERSION = '2.1.0';\n","/******************************************************************************\r\nCopyright (c) Microsoft Corporation.\r\n\r\nPermission to use, copy, modify, and/or distribute this software for any\r\npurpose with or without fee is hereby granted.\r\n\r\nTHE SOFTWARE IS PROVIDED \"AS IS\" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH\r\nREGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY\r\nAND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,\r\nINDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM\r\nLOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR\r\nOTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR\r\nPERFORMANCE OF THIS SOFTWARE.\r\n***************************************************************************** */\r\n/* global Reflect, Promise, SuppressedError, Symbol, Iterator */\r\n\r\nvar extendStatics = function(d, b) {\r\n extendStatics = Object.setPrototypeOf ||\r\n ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||\r\n function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };\r\n return extendStatics(d, b);\r\n};\r\n\r\nexport function __extends(d, b) {\r\n if (typeof b !== \"function\" && b !== null)\r\n throw new TypeError(\"Class extends value \" + String(b) + \" is not a constructor or null\");\r\n extendStatics(d, b);\r\n function __() { this.constructor = d; }\r\n d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());\r\n}\r\n\r\nexport var __assign = function() {\r\n __assign = Object.assign || function __assign(t) {\r\n for (var s, i = 1, n = arguments.length; i < n; i++) {\r\n s = arguments[i];\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];\r\n }\r\n return t;\r\n }\r\n return __assign.apply(this, arguments);\r\n}\r\n\r\nexport function __rest(s, e) {\r\n var t = {};\r\n for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)\r\n t[p] = s[p];\r\n if (s != null && typeof Object.getOwnPropertySymbols === \"function\")\r\n for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {\r\n if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))\r\n t[p[i]] = s[p[i]];\r\n }\r\n return t;\r\n}\r\n\r\nexport function __decorate(decorators, target, key, desc) {\r\n var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;\r\n if (typeof Reflect === \"object\" && typeof Reflect.decorate === \"function\") r = Reflect.decorate(decorators, target, key, desc);\r\n else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;\r\n return c > 3 && r && Object.defineProperty(target, key, r), r;\r\n}\r\n\r\nexport function __param(paramIndex, decorator) {\r\n return function (target, key) { decorator(target, key, paramIndex); }\r\n}\r\n\r\nexport function __esDecorate(ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) {\r\n function accept(f) { if (f !== void 0 && typeof f !== \"function\") throw new TypeError(\"Function expected\"); return f; }\r\n var kind = contextIn.kind, key = kind === \"getter\" ? \"get\" : kind === \"setter\" ? \"set\" : \"value\";\r\n var target = !descriptorIn && ctor ? contextIn[\"static\"] ? ctor : ctor.prototype : null;\r\n var descriptor = descriptorIn || (target ? Object.getOwnPropertyDescriptor(target, contextIn.name) : {});\r\n var _, done = false;\r\n for (var i = decorators.length - 1; i >= 0; i--) {\r\n var context = {};\r\n for (var p in contextIn) context[p] = p === \"access\" ? {} : contextIn[p];\r\n for (var p in contextIn.access) context.access[p] = contextIn.access[p];\r\n context.addInitializer = function (f) { if (done) throw new TypeError(\"Cannot add initializers after decoration has completed\"); extraInitializers.push(accept(f || null)); };\r\n var result = (0, decorators[i])(kind === \"accessor\" ? { get: descriptor.get, set: descriptor.set } : descriptor[key], context);\r\n if (kind === \"accessor\") {\r\n if (result === void 0) continue;\r\n if (result === null || typeof result !== \"object\") throw new TypeError(\"Object expected\");\r\n if (_ = accept(result.get)) descriptor.get = _;\r\n if (_ = accept(result.set)) descriptor.set = _;\r\n if (_ = accept(result.init)) initializers.unshift(_);\r\n }\r\n else if (_ = accept(result)) {\r\n if (kind === \"field\") initializers.unshift(_);\r\n else descriptor[key] = _;\r\n }\r\n }\r\n if (target) Object.defineProperty(target, contextIn.name, descriptor);\r\n done = true;\r\n};\r\n\r\nexport function __runInitializers(thisArg, initializers, value) {\r\n var useValue = arguments.length > 2;\r\n for (var i = 0; i < initializers.length; i++) {\r\n value = useValue ? initializers[i].call(thisArg, value) : initializers[i].call(thisArg);\r\n }\r\n return useValue ? value : void 0;\r\n};\r\n\r\nexport function __propKey(x) {\r\n return typeof x === \"symbol\" ? x : \"\".concat(x);\r\n};\r\n\r\nexport function __setFunctionName(f, name, prefix) {\r\n if (typeof name === \"symbol\") name = name.description ? \"[\".concat(name.description, \"]\") : \"\";\r\n return Object.defineProperty(f, \"name\", { configurable: true, value: prefix ? \"\".concat(prefix, \" \", name) : name });\r\n};\r\n\r\nexport function __metadata(metadataKey, metadataValue) {\r\n if (typeof Reflect === \"object\" && typeof Reflect.metadata === \"function\") return Reflect.metadata(metadataKey, metadataValue);\r\n}\r\n\r\nexport function __awaiter(thisArg, _arguments, P, generator) {\r\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\r\n return new (P || (P = Promise))(function (resolve, reject) {\r\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\r\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\r\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\r\n step((generator = generator.apply(thisArg, _arguments || [])).next());\r\n });\r\n}\r\n\r\nexport function __generator(thisArg, body) {\r\n var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g = Object.create((typeof Iterator === \"function\" ? Iterator : Object).prototype);\r\n return g.next = verb(0), g[\"throw\"] = verb(1), g[\"return\"] = verb(2), typeof Symbol === \"function\" && (g[Symbol.iterator] = function() { return this; }), g;\r\n function verb(n) { return function (v) { return step([n, v]); }; }\r\n function step(op) {\r\n if (f) throw new TypeError(\"Generator is already executing.\");\r\n while (g && (g = 0, op[0] && (_ = 0)), _) try {\r\n if (f = 1, y && (t = op[0] & 2 ? y[\"return\"] : op[0] ? y[\"throw\"] || ((t = y[\"return\"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;\r\n if (y = 0, t) op = [op[0] & 2, t.value];\r\n switch (op[0]) {\r\n case 0: case 1: t = op; break;\r\n case 4: _.label++; return { value: op[1], done: false };\r\n case 5: _.label++; y = op[1]; op = [0]; continue;\r\n case 7: op = _.ops.pop(); _.trys.pop(); continue;\r\n default:\r\n if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }\r\n if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }\r\n if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }\r\n if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }\r\n if (t[2]) _.ops.pop();\r\n _.trys.pop(); continue;\r\n }\r\n op = body.call(thisArg, _);\r\n } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }\r\n if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };\r\n }\r\n}\r\n\r\nexport var __createBinding = Object.create ? (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n var desc = Object.getOwnPropertyDescriptor(m, k);\r\n if (!desc || (\"get\" in desc ? !m.__esModule : desc.writable || desc.configurable)) {\r\n desc = { enumerable: true, get: function() { return m[k]; } };\r\n }\r\n Object.defineProperty(o, k2, desc);\r\n}) : (function(o, m, k, k2) {\r\n if (k2 === undefined) k2 = k;\r\n o[k2] = m[k];\r\n});\r\n\r\nexport function __exportStar(m, o) {\r\n for (var p in m) if (p !== \"default\" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);\r\n}\r\n\r\nexport function __values(o) {\r\n var s = typeof Symbol === \"function\" && Symbol.iterator, m = s && o[s], i = 0;\r\n if (m) return m.call(o);\r\n if (o && typeof o.length === \"number\") return {\r\n next: function () {\r\n if (o && i >= o.length) o = void 0;\r\n return { value: o && o[i++], done: !o };\r\n }\r\n };\r\n throw new TypeError(s ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\r\n}\r\n\r\nexport function __read(o, n) {\r\n var m = typeof Symbol === \"function\" && o[Symbol.iterator];\r\n if (!m) return o;\r\n var i = m.call(o), r, ar = [], e;\r\n try {\r\n while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);\r\n }\r\n catch (error) { e = { error: error }; }\r\n finally {\r\n try {\r\n if (r && !r.done && (m = i[\"return\"])) m.call(i);\r\n }\r\n finally { if (e) throw e.error; }\r\n }\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spread() {\r\n for (var ar = [], i = 0; i < arguments.length; i++)\r\n ar = ar.concat(__read(arguments[i]));\r\n return ar;\r\n}\r\n\r\n/** @deprecated */\r\nexport function __spreadArrays() {\r\n for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;\r\n for (var r = Array(s), k = 0, i = 0; i < il; i++)\r\n for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)\r\n r[k] = a[j];\r\n return r;\r\n}\r\n\r\nexport function __spreadArray(to, from, pack) {\r\n if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {\r\n if (ar || !(i in from)) {\r\n if (!ar) ar = Array.prototype.slice.call(from, 0, i);\r\n ar[i] = from[i];\r\n }\r\n }\r\n return to.concat(ar || Array.prototype.slice.call(from));\r\n}\r\n\r\nexport function __await(v) {\r\n return this instanceof __await ? (this.v = v, this) : new __await(v);\r\n}\r\n\r\nexport function __asyncGenerator(thisArg, _arguments, generator) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var g = generator.apply(thisArg, _arguments || []), i, q = [];\r\n return i = Object.create((typeof AsyncIterator === \"function\" ? AsyncIterator : Object).prototype), verb(\"next\"), verb(\"throw\"), verb(\"return\", awaitReturn), i[Symbol.asyncIterator] = function () { return this; }, i;\r\n function awaitReturn(f) { return function (v) { return Promise.resolve(v).then(f, reject); }; }\r\n function verb(n, f) { if (g[n]) { i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; if (f) i[n] = f(i[n]); } }\r\n function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }\r\n function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }\r\n function fulfill(value) { resume(\"next\", value); }\r\n function reject(value) { resume(\"throw\", value); }\r\n function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }\r\n}\r\n\r\nexport function __asyncDelegator(o) {\r\n var i, p;\r\n return i = {}, verb(\"next\"), verb(\"throw\", function (e) { throw e; }), verb(\"return\"), i[Symbol.iterator] = function () { return this; }, i;\r\n function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: false } : f ? f(v) : v; } : f; }\r\n}\r\n\r\nexport function __asyncValues(o) {\r\n if (!Symbol.asyncIterator) throw new TypeError(\"Symbol.asyncIterator is not defined.\");\r\n var m = o[Symbol.asyncIterator], i;\r\n return m ? m.call(o) : (o = typeof __values === \"function\" ? __values(o) : o[Symbol.iterator](), i = {}, verb(\"next\"), verb(\"throw\"), verb(\"return\"), i[Symbol.asyncIterator] = function () { return this; }, i);\r\n function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }\r\n function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }\r\n}\r\n\r\nexport function __makeTemplateObject(cooked, raw) {\r\n if (Object.defineProperty) { Object.defineProperty(cooked, \"raw\", { value: raw }); } else { cooked.raw = raw; }\r\n return cooked;\r\n};\r\n\r\nvar __setModuleDefault = Object.create ? (function(o, v) {\r\n Object.defineProperty(o, \"default\", { enumerable: true, value: v });\r\n}) : function(o, v) {\r\n o[\"default\"] = v;\r\n};\r\n\r\nvar ownKeys = function(o) {\r\n ownKeys = Object.getOwnPropertyNames || function (o) {\r\n var ar = [];\r\n for (var k in o) if (Object.prototype.hasOwnProperty.call(o, k)) ar[ar.length] = k;\r\n return ar;\r\n };\r\n return ownKeys(o);\r\n};\r\n\r\nexport function __importStar(mod) {\r\n if (mod && mod.__esModule) return mod;\r\n var result = {};\r\n if (mod != null) for (var k = ownKeys(mod), i = 0; i < k.length; i++) if (k[i] !== \"default\") __createBinding(result, mod, k[i]);\r\n __setModuleDefault(result, mod);\r\n return result;\r\n}\r\n\r\nexport function __importDefault(mod) {\r\n return (mod && mod.__esModule) ? mod : { default: mod };\r\n}\r\n\r\nexport function __classPrivateFieldGet(receiver, state, kind, f) {\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a getter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot read private member from an object whose class did not declare it\");\r\n return kind === \"m\" ? f : kind === \"a\" ? f.call(receiver) : f ? f.value : state.get(receiver);\r\n}\r\n\r\nexport function __classPrivateFieldSet(receiver, state, value, kind, f) {\r\n if (kind === \"m\") throw new TypeError(\"Private method is not writable\");\r\n if (kind === \"a\" && !f) throw new TypeError(\"Private accessor was defined without a setter\");\r\n if (typeof state === \"function\" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError(\"Cannot write private member to an object whose class did not declare it\");\r\n return (kind === \"a\" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;\r\n}\r\n\r\nexport function __classPrivateFieldIn(state, receiver) {\r\n if (receiver === null || (typeof receiver !== \"object\" && typeof receiver !== \"function\")) throw new TypeError(\"Cannot use 'in' operator on non-object\");\r\n return typeof state === \"function\" ? receiver === state : state.has(receiver);\r\n}\r\n\r\nexport function __addDisposableResource(env, value, async) {\r\n if (value !== null && value !== void 0) {\r\n if (typeof value !== \"object\" && typeof value !== \"function\") throw new TypeError(\"Object expected.\");\r\n var dispose, inner;\r\n if (async) {\r\n if (!Symbol.asyncDispose) throw new TypeError(\"Symbol.asyncDispose is not defined.\");\r\n dispose = value[Symbol.asyncDispose];\r\n }\r\n if (dispose === void 0) {\r\n if (!Symbol.dispose) throw new TypeError(\"Symbol.dispose is not defined.\");\r\n dispose = value[Symbol.dispose];\r\n if (async) inner = dispose;\r\n }\r\n if (typeof dispose !== \"function\") throw new TypeError(\"Object not disposable.\");\r\n if (inner) dispose = function() { try { inner.call(this); } catch (e) { return Promise.reject(e); } };\r\n env.stack.push({ value: value, dispose: dispose, async: async });\r\n }\r\n else if (async) {\r\n env.stack.push({ async: true });\r\n }\r\n return value;\r\n\r\n}\r\n\r\nvar _SuppressedError = typeof SuppressedError === \"function\" ? SuppressedError : function (error, suppressed, message) {\r\n var e = new Error(message);\r\n return e.name = \"SuppressedError\", e.error = error, e.suppressed = suppressed, e;\r\n};\r\n\r\nexport function __disposeResources(env) {\r\n function fail(e) {\r\n env.error = env.hasError ? new _SuppressedError(e, env.error, \"An error was suppressed during disposal.\") : e;\r\n env.hasError = true;\r\n }\r\n var r, s = 0;\r\n function next() {\r\n while (r = env.stack.pop()) {\r\n try {\r\n if (!r.async && s === 1) return s = 0, env.stack.push(r), Promise.resolve().then(next);\r\n if (r.dispose) {\r\n var result = r.dispose.call(r.value);\r\n if (r.async) return s |= 2, Promise.resolve(result).then(next, function(e) { fail(e); return next(); });\r\n }\r\n else s |= 1;\r\n }\r\n catch (e) {\r\n fail(e);\r\n }\r\n }\r\n if (s === 1) return env.hasError ? Promise.reject(env.error) : Promise.resolve();\r\n if (env.hasError) throw env.error;\r\n }\r\n return next();\r\n}\r\n\r\nexport function __rewriteRelativeImportExtension(path, preserveJsx) {\r\n if (typeof path === \"string\" && /^\\.\\.?\\//.test(path)) {\r\n return path.replace(/\\.(tsx)$|((?:\\.d)?)((?:\\.[^./]+?)?)\\.([cm]?)ts$/i, function (m, tsx, d, ext, cm) {\r\n return tsx ? preserveJsx ? \".jsx\" : \".js\" : d && (!ext || !cm) ? m : (d + ext + \".\" + cm.toLowerCase() + \"js\");\r\n });\r\n }\r\n return path;\r\n}\r\n\r\nexport default {\r\n __extends: __extends,\r\n __assign: __assign,\r\n __rest: __rest,\r\n __decorate: __decorate,\r\n __param: __param,\r\n __esDecorate: __esDecorate,\r\n __runInitializers: __runInitializers,\r\n __propKey: __propKey,\r\n __setFunctionName: __setFunctionName,\r\n __metadata: __metadata,\r\n __awaiter: __awaiter,\r\n __generator: __generator,\r\n __createBinding: __createBinding,\r\n __exportStar: __exportStar,\r\n __values: __values,\r\n __read: __read,\r\n __spread: __spread,\r\n __spreadArrays: __spreadArrays,\r\n __spreadArray: __spreadArray,\r\n __await: __await,\r\n __asyncGenerator: __asyncGenerator,\r\n __asyncDelegator: __asyncDelegator,\r\n __asyncValues: __asyncValues,\r\n __makeTemplateObject: __makeTemplateObject,\r\n __importStar: __importStar,\r\n __importDefault: __importDefault,\r\n __classPrivateFieldGet: __classPrivateFieldGet,\r\n __classPrivateFieldSet: __classPrivateFieldSet,\r\n __classPrivateFieldIn: __classPrivateFieldIn,\r\n __addDisposableResource: __addDisposableResource,\r\n __disposeResources: __disposeResources,\r\n __rewriteRelativeImportExtension: __rewriteRelativeImportExtension,\r\n};\r\n","import { Injectable } from '@angular/core';\nimport { BehaviorSubject, Observable, from, Subject } from 'rxjs';\nimport { map, catchError } from 'rxjs/operators';\nimport { SecureStorage } from '../core/SecureStorage';\nimport type { SecureStorageConfig, StorageEventData, ExpiryOptions, EncryptedBackup } from '../types';\n\n/**\n * Servicio de Angular para SecureStorage v2\n * Proporciona una API reactiva usando RxJS Observables\n * \n * @example\n * constructor(private secureStorage: SecureStorageService) {}\n * \n * // Guardar\n * this.secureStorage.setItem('token', 'abc123').subscribe();\n * \n * // Leer\n * this.secureStorage.getItem('token').subscribe(token => console.log(token));\n * \n * // Escuchar eventos\n * this.secureStorage.events$.subscribe(event => console.log(event));\n */\n@Injectable({\n providedIn: 'root'\n})\nexport class SecureStorageService {\n private storage: SecureStorage;\n private debugInfo$ = new BehaviorSubject(this.getDebugInfo());\n private eventsSubject$ = new Subject<StorageEventData>();\n\n /**\n * Observable de eventos de storage\n */\n public events$ = this.eventsSubject$.asObservable();\n\n constructor(config?: SecureStorageConfig) {\n this.storage = SecureStorage.getInstance(config);\n\n // Setup event forwarding to Observable\n this.storage.on('encrypted', (data) => this.eventsSubject$.next(data));\n this.storage.on('decrypted', (data) => this.eventsSubject$.next(data));\n this.storage.on('deleted', (data) => this.eventsSubject$.next(data));\n this.storage.on('cleared', (data) => this.eventsSubject$.next(data));\n this.storage.on('expired', (data) => this.eventsSubject$.next(data));\n this.storage.on('error', (data) => this.eventsSubject$.next(data));\n this.storage.on('keyRotated', (data) => this.eventsSubject$.next(data));\n this.storage.on('compressed', (data) => this.eventsSubject$.next(data));\n this.storage.on('decompressed', (data) => this.eventsSubject$.next(data));\n\n // Actualizar debug info cada segundo\n setInterval(() => {\n this.debugInfo$.next(this.getDebugInfo());\n }, 1000);\n }\n\n /**\n * Guarda un valor encriptado\n * @param key - Clave\n * @param value - Valor a guardar\n * @returns Observable que completa cuando se guarda\n */\n setItem(key: string, value: string): Observable<void> {\n return from(this.storage.setItem(key, value));\n }\n\n /**\n * Guarda un valor con expiración\n * @param key - Clave\n * @param value - Valor a guardar\n * @param options - Opciones de expiración\n * @returns Observable que completa cuando se guarda\n */\n setItemWithExpiry(key: string, value: string, options: ExpiryOptions): Observable<void> {\n return from(this.storage.setItemWithExpiry(key, value, options));\n }\n\n /**\n * Recupera un valor desencriptado\n * @param key - Clave\n * @returns Observable con el valor o null\n */\n getItem(key: string): Observable<string | null> {\n return from(this.storage.getItem(key));\n }\n\n /**\n * Elimina un valor\n * @param key - Clave a eliminar\n * @returns Observable que completa cuando se elimina\n */\n removeItem(key: string): Observable<void> {\n return from(this.storage.removeItem(key));\n }\n\n /**\n * Verifica si existe una clave\n * @param key - Clave a verificar\n * @returns Observable con true/false\n */\n hasItem(key: string): Observable<boolean> {\n return from(this.storage.hasItem(key));\n }\n\n /**\n * Limpia todos los datos encriptados\n */\n clear(): void {\n this.storage.clear();\n }\n\n /**\n * Limpia todos los items expirados\n * @returns Observable con el número de items eliminados\n */\n cleanExpired(): Observable<number> {\n return from(this.storage.cleanExpired());\n }\n\n /**\n * Verifica la integridad de un valor\n * @param key - Clave a verificar\n * @returns Observable con true si es válido\n */\n verifyIntegrity(key: string): Observable<boolean> {\n return from(this.storage.verifyIntegrity(key));\n }\n\n /**\n * Obtiene información de integridad de un valor\n * @param key - Clave\n * @returns Observable con información de integridad\n */\n getIntegrityInfo(key: string): Observable<any> {\n return from(this.storage.getIntegrityInfo(key));\n }\n\n /**\n * Crea un namespace para organizar datos\n * @param name - Nombre del namespace\n * @returns Instancia de NamespacedStorage\n */\n namespace(name: string) {\n return this.storage.namespace(name);\n }\n\n /**\n * Rota todas las claves de encriptación\n * @returns Observable que completa cuando termina la rotación\n */\n rotateKeys(): Observable<void> {\n return from(this.storage.rotateKeys());\n }\n\n /**\n * Exporta todos los datos como backup\n * @returns Observable con el backup\n */\n exportEncryptedData(): Observable<EncryptedBackup> {\n return from(this.storage.exportEncryptedData());\n }\n\n /**\n * Importa datos desde un backup\n * @param backup - Backup a importar\n * @returns Observable que completa cuando termina la importación\n */\n importEncryptedData(backup: EncryptedBackup): Observable<void> {\n return from(this.storage.importEncryptedData(backup));\n }\n\n /**\n * Migra datos existentes a formato encriptado\n * @param keys - Array de claves a migrar\n * @returns Observable que completa cuando termina la migración\n */\n migrateExistingData(keys: string[]): Observable<void> {\n return from(this.storage.migrateExistingData(keys));\n }\n\n /**\n * Obtiene información de debug como Observable\n * @returns Observable con información de debug que se actualiza automáticamente\n */\n getDebugInfo$(): Observable<any> {\n return this.debugInfo$.asObservable();\n }\n\n /**\n * Obtiene información de debug de forma síncrona\n */\n private getDebugInfo() {\n return this.storage.getDebugInfo();\n }\n\n /**\n * Helper para guardar objetos JSON\n * @param key - Clave\n * @param value - Objeto a guardar\n */\n setObject<T>(key: string, value: T): Observable<void> {\n return this.setItem(key, JSON.stringify(value));\n }\n\n /**\n * Helper para guardar objetos JSON con expiración\n * @param key - Clave\n * @param value - Objeto a guardar\n * @param options - Opciones de expiración\n */\n setObjectWithExpiry<T>(key: string, value: T, options: ExpiryOptions): Observable<void> {\n return this.setItemWithExpiry(key, JSON.stringify(value), options);\n }\n\n /**\n * Helper para recuperar objetos JSON\n * @param key - Clave\n * @returns Observable con el objeto parseado o null\n */\n getObject<T>(key: string): Observable<T | null> {\n return this.getItem(key).pipe(\n map(value => value ? JSON.parse(value) as T : null),\n catchError(() => from([null]))\n );\n }\n\n /**\n * Registra un listener para un tipo de evento específico\n * @param event - Tipo de evento\n * @param handler - Función manejadora\n */\n on(event: any, handler: (data: StorageEventData) => void): void {\n this.storage.on(event, handler);\n }\n\n /**\n * Elimina un listener de evento\n * @param event - Tipo de evento\n * @param handler - Función manejadora\n */\n off(event: any, handler: (data: StorageEventData) => void): void {\n this.storage.off(event, handler);\n }\n\n /**\n * Observable filtrado por tipo de evento\n * @param eventType - Tipo de evento a filtrar\n * @returns Observable con eventos del tipo especificado\n */\n onEvent$(eventType: string): Observable<StorageEventData> {\n return this.events$.pipe(\n map(event => event.type === eventType ? event : null),\n map(event => event!)\n );\n }\n}\n"],"names":["secureStorage","Injectable","BehaviorSubject","Subject","from","map","catchError"],"mappings":";;;;;;AAAA;;AAEG;AAiKH;;AAEG;AACI,MAAM,cAAc,GAAkC;AACzD,IAAA,UAAU,EAAE;AACR,QAAA,UAAU,EAAE,MAAM;AAClB,QAAA,UAAU,EAAE,EAAE;AACd,QAAA,QAAQ,EAAE,EAAE;AACZ,QAAA,aAAa,EAAE,wBAAwB;AACvC,QAAA,SAAS,EAAE,GAAG;AACjB,KAAA;AACD,IAAA,OAAO,EAAE;AACL,QAAA,WAAW,EAAE,IAAI;AACjB,QAAA,oBAAoB,EAAE,IAAI;AAC1B,QAAA,WAAW,EAAE,IAAI;AACjB,QAAA,eAAe,EAAE,KAAK;AACzB,KAAA;AACD,IAAA,KAAK,EAAE;AACH,QAAA,OAAO,EAAE,KAAK;AACd,QAAA,QAAQ,EAAE,MAAM;AAChB,QAAA,MAAM,EAAE,eAAe;AAC1B,KAAA;;AAGL;;AAEG;AACI,MAAM,eAAe,GAAG;AAE/B;;AAEG;AACI,MAAM,eAAe,GAAG;;AChM/B;;;AAGG;MACU,gBAAgB,CAAA;AAgBzB,IAAA,WAAA,CAAY,MAAyB,EAAA;;QAL7B,IAAA,CAAA,GAAG,GAAqB,IAAI;QAC5B,IAAA,CAAA,OAAO,GAAW,EAAE;QACpB,IAAA,CAAA,cAAc,GAA2B,IAAI;QAC7C,IAAA,CAAA,UAAU,GAAW,CAAC;AAG1B,QAAA,IAAI,CAAC,MAAM,GAAG,EAAE,GAAG,cAAc,CAAC,UAAU,EAAE,GAAG,MAAM,EAAgC;;QAGvF,MAAM,aAAa,GAAG,YAAY,CAAC,OAAO,CAAC,gBAAgB,CAAC,eAAe,CAAC;QAC5E,IAAI,aAAa,EAAE;YACf,IAAI,CAAC,UAAU,GAAG,QAAQ,CAAC,aAAa,EAAE,EAAE,CAAC;QACjD;IACJ;AAEA;;AAEG;IACI,aAAa,GAAA;QAChB,OAAO,IAAI,CAAC,UAAU;IAC1B;AAEA;;;AAGG;AACK,IAAA,MAAM,eAAe,GAAA;AACzB,QAAA,IAAI,IAAI,CAAC,cAAc,EAAE;YACrB,OAAO,IAAI,CAAC,cAAc;QAC9B;AAEA,QAAA,IAAI,CAAC,cAAc,GAAG,CAAC,YAAW;AAC9B,YAAA,MAAM,UAAU,GAAG;AACf,gBAAA,SAAS,CAAC,SAAS;AACnB,gBAAA,SAAS,CAAC,QAAQ;AAClB,gBAAA,MAAM,CAAC,KAAK,CAAC,QAAQ,EAAE;AACvB,gBAAA,MAAM,CAAC,MAAM,CAAC,QAAQ,EAAE;AACxB,gBAAA,MAAM,CAAC,UAAU,CAAC,QAAQ,EAAE;gBAC5B,IAAI,IAAI,CAAC,cAAc,EAAE,CAAC,eAAe,EAAE,CAAC,QAAQ;gBACpD,IAAI,CAAC,MAAM,CAAC,aAAa;aAC5B;YAED,MAAM,WAAW,GAAG,UAAU,CAAC,IAAI,CAAC,GAAG,CAAC;YACxC,IAAI,CAAC,OAAO,GAAG,MAAM,IAAI,CAAC,UAAU,CAAC,WAAW,CAAC;YACjD,OAAO,IAAI,CAAC,OAAO;QACvB,CAAC,GAAG;QAEJ,OAAO,IAAI,CAAC,cAAc;IAC9B;AAEA;;;;AAIG;IACK,MAAM,UAAU,CAAC,GAAW,EAAA;AAChC,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;QACjC,MAAM,IAAI,GAAG,OAAO,CAAC,MAAM,CAAC,GAAG,CAAC;AAChC,QAAA,MAAM,UAAU,GAAG,MAAM,MAAM,CAAC,MAAM,CAAC,MAAM,CAAC,gBAAgB,CAAC,cAAc,EAAE,IAAI,CAAC;AACpF,QAAA,OAAO,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC;IAC5C;AAEA;;;;;AAKG;AACK,IAAA,MAAM,SAAS,CAAC,QAAgB,EAAE,IAAgB,EAAA;AACtD,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;QACjC,MAAM,cAAc,GAAG,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC;;QAG/C,MAAM,WAAW,GAAG,MAAM,MAAM,CAAC,MAAM,CAAC,SAAS,CAC7C,KAAK,EACL,cAAc,EACd,QAAQ,EACR,KAAK,EACL,CAAC,YAAY,EAAE,WAAW,CAAC,CAC9B;;AAGD,QAAA,OAAO,MAAM,CAAC,MAAM,CAAC,SAAS,CAC1B;AACI,YAAA,IAAI,EAAE,QAAQ;YACd,IAAI;AACJ,YAAA,UAAU,EAAE,IAAI,CAAC,MAAM,CAAC,UAAU;YAClC,IAAI,EAAE,gBAAgB,CAAC,cAAc;AACxC,SAAA,EACD,WAAW,EACX;YACI,IAAI,EAAE,gBAAgB,CAAC,SAAS;AAChC,YAAA,MAAM,EAAE,IAAI,CAAC,MAAM,CAAC,SAAS;SAChC,EACD,KAAK,EACL,CAAC,SAAS,EAAE,SAAS,CAAC,CACzB;IACL;AAEA;;AAEG;AACI,IAAA,MAAM,UAAU,GAAA;;AAEnB,QAAA,MAAM,IAAI,GAAG,MAAM,CAAC,eAAe,CAAC,IAAI,UAAU,CAAC,IAAI,CAAC,MAAM,CAAC,UAAU,CAAC,CAAC;;AAG3E,QAAA,MAAM,OAAO,GAAG,MAAM,IAAI,CAAC,eAAe,EAAE;;AAG5C,QAAA,IAAI,CAAC,GAAG,GAAG,MAAM,IAAI,CAAC,SAAS,CAAC,OAAO,EAAE,IAAI,CAAC;;QAG9C,IAAI,CAAC,UAAU,EAAE;AACjB,QAAA,YAAY,CAAC,OAAO,CAAC,gBAAgB,CAAC,eAAe,EAAE,IAAI,CAAC,UAAU,CAAC,QAAQ,EAAE,CAAC;;AAGlF,QAAA,YAAY,CAAC,OAAO,CAChB,gBAAgB,CAAC,gBAAgB,EACjC,IAAI,CAAC,mBAAmB,CAAC,IAAI,CAAC,MAAM,CAAC,CACxC;IACL;AAEA;;AAEG;AACI,IAAA,MAAM,oBAAoB,GAAA;QAC7B,MAAM,UAAU,GAAG,YAAY,CAAC,OAAO,CAAC,gBAAgB,CAAC,gBAAgB,CAAC;QAE1E,IAAI,CAAC,UAAU,EAAE;;AAEb,YAAA,MAAM,IAAI,CAAC,UAAU,EAAE;YACvB;QACJ;;AAGA,QAAA,MAAM,IAAI,GAAG,IAAI,UAAU,CAAC,IAAI,CAAC,mBAAmB,CAAC,UAAU,CAAC,CAAC;;AAGjE,QAAA,MAAM,OAAO,GAAG,MAAM,IAAI,CAAC,eAAe,EAAE;;AAG5C,QAAA,IAAI,CAAC,GAAG,GAAG,MAAM,IAAI,CAAC,SAAS,CAAC,OAAO,EAAE,IAAI,CAAC;IAClD;AAEA;;;;AAIG;IACI,MAAM,OAAO,CAAC,SAAiB,EAAA;AAClC,QAAA,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE;AACX,YAAA,MAAM,IAAI,CAAC,oBAAoB,EAAE;QACrC;AAEA,QAAA,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE;AACX,YAAA,MAAM,IAAI,KAAK,CAAC,iDAAiD,CAAC;QACtE;;AAGA,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;QACjC,MAAM,IAAI,GAAG,OAAO,CAAC,MAAM,CAAC,SAAS,CAAC;;AAGtC,QAAA,MAAM,EAAE,GAAG,MAAM,CAAC,eAAe,CAAC,IAAI,UAAU,CAAC,IAAI,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;;QAGvE,MAAM,eAAe,GAAG,MAAM,MAAM,CAAC,MAAM,CAAC,OAAO,CAC/C;YACI,IAAI,EAAE,gBAAgB,CAAC,SAAS;YAChC,EAAE;AACL,SAAA,EACD,IAAI,CAAC,GAAG,EACR,IAAI,CACP;;AAGD,QAAA,MAAM,QAAQ,GAAG,IAAI,UAAU,CAAC,EAAE,CAAC,MAAM,GAAG,eAAe,CAAC,UAAU,CAAC;AACvE,QAAA,QAAQ,CAAC,GAAG,CAAC,EAAE,EAAE,CAAC,CAAC;AACnB,QAAA,QAAQ,CAAC,GAAG,CAAC,IAAI,UAAU,CAAC,eAAe,CAAC,EAAE,EAAE,CAAC,MAAM,CAAC;;QAGxD,OAAO,IAAI,CAAC,mBAAmB,CAAC,QAAQ,CAAC,MAAM,CAAC;IACpD;AAEA;;;;AAIG;IACI,MAAM,OAAO,CAAC,UAAkB,EAAA;AACnC,QAAA,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE;AACX,YAAA,MAAM,IAAI,CAAC,oBAAoB,EAAE;QACrC;AAEA,QAAA,IAAI,CAAC,IAAI,CAAC,GAAG,EAAE;AACX,YAAA,MAAM,IAAI,KAAK,CAAC,iDAAiD,CAAC;QACtE;AAEA,QAAA,IAAI;;AAEA,YAAA,MAAM,QAAQ,GAAG,IAAI,UAAU,CAAC,IAAI,CAAC,mBAAmB,CAAC,UAAU,CAAC,CAAC;;AAGrE,YAAA,MAAM,EAAE,GAAG,QAAQ,CAAC,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC,MAAM,CAAC,QAAQ,CAAC;AAClD,YAAA,MAAM,aAAa,GAAG,QAAQ,CAAC,KAAK,CAAC,IAAI,CAAC,MAAM,CAAC,QAAQ,CAAC;;YAG1D,MAAM,eAAe,GAAG,MAAM,MAAM,CAAC,MAAM,CAAC,OAAO,CAC/C;gBACI,IAAI,EAAE,gBAAgB,CAAC,SAAS;gBAChC,EAAE;AACL,aAAA,EACD,IAAI,CAAC,GAAG,EACR,aAAa,CAChB;;AAGD,YAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,YAAA,OAAO,OAAO,CAAC,MAAM,CAAC,eAAe,CAAC;QAC1C;QAAE,OAAO,KAAK,EAAE;AACZ,YAAA,MAAM,IAAI,KAAK,CAAC,0BAA0B,KAAK,YAAY,KAAK,GAAG,KAAK,CAAC,OAAO,GAAG,mBAAmB,CAAA,CAAE,CAAC;QAC7G;IACJ;AAEA;;;;AAIG;IACI,MAAM,UAAU,CAAC,OAAe,EAAA;AACnC,QAAA,MAAM,OAAO,GAAG,MAAM,IAAI,CAAC,eAAe,EAAE;AAC5C,QAAA,MAAM,QAAQ,GAAG,OAAO,GAAG,OAAO;QAClC,MAAM,IAAI,GAAG,MAAM,IAAI,CAAC,UAAU,CAAC,QAAQ,CAAC;QAC5C,OAAO,CAAA,MAAA,EAAS,IAAI,CAAC,SAAS,CAAC,CAAC,EAAE,EAAE,CAAC,CAAA,CAAE;IAC3C;AAEA;;AAEG;IACI,kBAAkB,GAAA;QACrB,MAAM,YAAY,GAAa,EAAE;;AAGjC,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,GAAG,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;YAC/B,IAAI,GAAG,IAAI,GAAG,CAAC,UAAU,CAAC,QAAQ,CAAC,EAAE;AACjC,gBAAA,YAAY,CAAC,IAAI,CAAC,GAAG,CAAC;YAC1B;QACJ;;AAGA,QAAA,YAAY,CAAC,OAAO,CAAC,GAAG,IAAI,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC;;AAGzD,QAAA,YAAY,CAAC,UAAU,CAAC,gBAAgB,CAAC,gBAAgB,CAAC;;AAG1D,QAAA,IAAI,CAAC,GAAG,GAAG,IAAI;AACf,QAAA,IAAI,CAAC,OAAO,GAAG,EAAE;AACjB,QAAA,IAAI,CAAC,cAAc,GAAG,IAAI;IAC9B;AAEA;;AAEG;AACI,IAAA,OAAO,WAAW,GAAA;AACrB,QAAA,OAAO,CAAC,EACJ,OAAO,MAAM,KAAK,WAAW;AAC7B,YAAA,MAAM,CAAC,MAAM;YACb,MAAM,CAAC,eAAe,CACzB;IACL;;AAIQ,IAAA,mBAAmB,CAAC,MAAmB,EAAA;AAC3C,QAAA,MAAM,KAAK,GAAG,IAAI,UAAU,CAAC,MAAM,CAAC;QACpC,IAAI,MAAM,GAAG,EAAE;AACf,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,KAAK,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YACnC,MAAM,IAAI,MAAM,CAAC,YAAY,CAAC,KAAK,CAAC,CAAC,CAAC,CAAC;QAC3C;AACA,QAAA,OAAO,IAAI,CAAC,MAAM,CAAC;IACvB;AAEQ,IAAA,mBAAmB,CAAC,MAAc,EAAA;AACtC,QAAA,MAAM,MAAM,GAAG,IAAI,CAAC,MAAM,CAAC;QAC3B,MAAM,KAAK,GAAG,IAAI,UAAU,CAAC,MAAM,CAAC,MAAM,CAAC;AAC3C,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,MAAM,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YACpC,KAAK,CAAC,CAAC,CAAC,GAAG,MAAM,CAAC,UAAU,CAAC,CAAC,CAAC;QACnC;QACA,OAAO,KAAK,CAAC,MAAM;IACvB;AAEQ,IAAA,gBAAgB,CAAC,MAAmB,EAAA;AACxC,QAAA,MAAM,KAAK,GAAG,IAAI,UAAU,CAAC,MAAM,CAAC;AACpC,QAAA,OAAO,KAAK,CAAC,IAAI,CAAC,KAAK;AAClB,aAAA,GAAG,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,CAAC,EAAE,CAAC,CAAC,QAAQ,CAAC,CAAC,EAAE,GAAG,CAAC;aACxC,IAAI,CAAC,EAAE,CAAC;IACjB;;AArTA;AACwB,gBAAA,CAAA,SAAS,GAAG,SAAH;AACT,gBAAA,CAAA,cAAc,GAAG,SAAH;AACd,gBAAA,CAAA,gBAAgB,GAAG,YAAH;AAChB,gBAAA,CAAA,eAAe,GAAG,eAAH;;ACV3C;;AAEG;MACU,YAAY,CAAA;AAAzB,IAAA,WAAA,GAAA;AACY,QAAA,IAAA,CAAA,SAAS,GAA8C,IAAI,GAAG,EAAE;AAChE,QAAA,IAAA,CAAA,aAAa,GAA8C,IAAI,GAAG,EAAE;IA8FhF;AA5FI;;AAEG;IACH,EAAE,CAAC,KAAuB,EAAE,QAAuB,EAAA;QAC/C,IAAI,CAAC,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;YAC5B,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,EAAE,IAAI,GAAG,EAAE,CAAC;QACxC;AACA,QAAA,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,CAAE,CAAC,GAAG,CAAC,QAAQ,CAAC;IAC5C;AAEA;;AAEG;IACH,IAAI,CAAC,KAAuB,EAAE,QAAuB,EAAA;QACjD,IAAI,CAAC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;YAChC,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,EAAE,IAAI,GAAG,EAAE,CAAC;QAC5C;AACA,QAAA,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,CAAE,CAAC,GAAG,CAAC,QAAQ,CAAC;IAChD;AAEA;;AAEG;IACH,GAAG,CAAC,KAAuB,EAAE,QAAuB,EAAA;AAChD,QAAA,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE,MAAM,CAAC,QAAQ,CAAC;AAC3C,QAAA,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE,MAAM,CAAC,QAAQ,CAAC;IACnD;AAEA;;AAEG;AACH,IAAA,kBAAkB,CAAC,KAAwB,EAAA;QACvC,IAAI,KAAK,EAAE;AACP,YAAA,IAAI,CAAC,SAAS,CAAC,MAAM,CAAC,KAAK,CAAC;AAC5B,YAAA,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,KAAK,CAAC;QACpC;aAAO;AACH,YAAA,IAAI,CAAC,SAAS,CAAC,KAAK,EAAE;AACtB,YAAA,IAAI,CAAC,aAAa,CAAC,KAAK,EAAE;QAC9B;IACJ;AAEA;;AAEG;IACH,IAAI,CAAC,KAAuB,EAAE,IAAkD,EAAA;AAC5E,QAAA,MAAM,SAAS,GAAqB;AAChC,YAAA,IAAI,EAAE,KAAK;AACX,YAAA,SAAS,EAAE,IAAI,CAAC,GAAG,EAAE;AACrB,YAAA,GAAG,IAAI;SACV;;AAGD,QAAA,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE,OAAO,CAAC,QAAQ,IAAG;AAC1C,YAAA,IAAI;gBACA,QAAQ,CAAC,SAAS,CAAC;YACvB;YAAE,OAAO,KAAK,EAAE;gBACZ,OAAO,CAAC,KAAK,CAAC,CAAA,4BAAA,EAA+B,KAAK,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;YACjE;AACJ,QAAA,CAAC,CAAC;;QAGF,MAAM,OAAO,GAAG,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,CAAC;QAC7C,IAAI,OAAO,EAAE;AACT,YAAA,OAAO,CAAC,OAAO,CAAC,QAAQ,IAAG;AACvB,gBAAA,IAAI;oBACA,QAAQ,CAAC,SAAS,CAAC;gBACvB;gBAAE,OAAO,KAAK,EAAE;oBACZ,OAAO,CAAC,KAAK,CAAC,CAAA,2BAAA,EAA8B,KAAK,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;gBAChE;AACJ,YAAA,CAAC,CAAC;AACF,YAAA,IAAI,CAAC,aAAa,CAAC,MAAM,CAAC,KAAK,CAAC;QACpC;IACJ;AAEA;;AAEG;AACH,IAAA,aAAa,CAAC,KAAuB,EAAA;AACjC,QAAA,MAAM,YAAY,GAAG,IAAI,CAAC,SAAS,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE,IAAI,IAAI,CAAC;AACzD,QAAA,MAAM,SAAS,GAAG,IAAI,CAAC,aAAa,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE,IAAI,IAAI,CAAC;QAC1D,OAAO,YAAY,GAAG,SAAS;IACnC;AAEA;;AAEG;IACH,UAAU,GAAA;AACN,QAAA,MAAM,MAAM,GAAG,IAAI,GAAG,EAAoB;AAC1C,QAAA,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,CAAC,CAAC,EAAE,KAAK,KAAK,MAAM,CAAC,GAAG,CAAC,KAAK,CAAC,CAAC;AACvD,QAAA,IAAI,CAAC,aAAa,CAAC,OAAO,CAAC,CAAC,CAAC,EAAE,KAAK,KAAK,MAAM,CAAC,GAAG,CAAC,KAAK,CAAC,CAAC;AAC3D,QAAA,OAAO,KAAK,CAAC,IAAI,CAAC,MAAM,CAAC;IAC7B;AACH;;ACnGD;;AAEG;MACU,MAAM,CAAA;AAcf,IAAA,WAAA,CAAY,SAAsB,EAAE,EAAA;QAChC,IAAI,CAAC,OAAO,GAAG,MAAM,CAAC,OAAO,IAAI,KAAK;QACtC,IAAI,CAAC,QAAQ,GAAG,MAAM,CAAC,QAAQ,IAAI,MAAM;QACzC,IAAI,CAAC,MAAM,GAAG,MAAM,CAAC,MAAM,IAAI,eAAe;IAClD;AAEQ,IAAA,SAAS,CAAC,KAAe,EAAA;QAC7B,IAAI,CAAC,IAAI,CAAC,OAAO;AAAE,YAAA,OAAO,KAAK;AAC/B,QAAA,OAAO,MAAM,CAAC,UAAU,CAAC,KAAK,CAAC,IAAI,MAAM,CAAC,UAAU,CAAC,IAAI,CAAC,QAAQ,CAAC;IACvE;AAEQ,IAAA,aAAa,CAAC,KAAa,EAAE,OAAe,EAAE,GAAG,IAAW,EAAA;QAChE,MAAM,SAAS,GAAG,IAAI,IAAI,EAAE,CAAC,WAAW,EAAE;AAC1C,QAAA,OAAO,CAAA,CAAA,EAAI,IAAI,CAAC,MAAM,MAAM,KAAK,CAAC,WAAW,EAAE,CAAA,EAAA,EAAK,SAAS,CAAA,GAAA,EAAM,OAAO,EAAE;IAChF;AAEA,IAAA,KAAK,CAAC,OAAe,EAAE,GAAG,IAAW,EAAA;AACjC,QAAA,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;AACzB,YAAA,OAAO,CAAC,KAAK,CAAC,IAAI,CAAC,aAAa,CAAC,OAAO,EAAE,OAAO,CAAC,EAAE,GAAG,IAAI,CAAC;QAChE;IACJ;AAEA,IAAA,IAAI,CAAC,OAAe,EAAE,GAAG,IAAW,EAAA;AAChC,QAAA,IAAI,IAAI,CAAC,SAAS,CAAC,MAAM,CAAC,EAAE;AACxB,YAAA,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,IAAI,CAAC;QAC9D;IACJ;AAEA,IAAA,IAAI,CAAC,OAAe,EAAE,GAAG,IAAW,EAAA;AAChC,QAAA,IAAI,IAAI,CAAC,SAAS,CAAC,MAAM,CAAC,EAAE;AACxB,YAAA,OAAO,CAAC,IAAI,CAAC,IAAI,CAAC,aAAa,CAAC,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,IAAI,CAAC;QAC9D;IACJ;AAEA,IAAA,KAAK,CAAC,OAAe,EAAE,GAAG,IAAW,EAAA;AACjC,QAAA,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;AACzB,YAAA,OAAO,CAAC,KAAK,CAAC,IAAI,CAAC,aAAa,CAAC,OAAO,EAAE,OAAO,CAAC,EAAE,GAAG,IAAI,CAAC;QAChE;IACJ;AAEA,IAAA,OAAO,CAAC,OAAe,EAAE,GAAG,IAAW,EAAA;AACnC,QAAA,IAAI,IAAI,CAAC,SAAS,CAAC,SAAS,CAAC,EAAE;AAC3B,YAAA,OAAO,CAAC,GAAG,CAAC,IAAI,CAAC,aAAa,CAAC,SAAS,EAAE,OAAO,CAAC,EAAE,GAAG,IAAI,CAAC;QAChE;IACJ;AAEA,IAAA,IAAI,CAAC,KAAa,EAAA;QACd,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;YACzC,OAAO,CAAC,IAAI,CAAC,CAAA,CAAA,EAAI,IAAI,CAAC,MAAM,CAAA,EAAA,EAAK,KAAK,CAAA,CAAE,CAAC;QAC7C;IACJ;AAEA,IAAA,OAAO,CAAC,KAAa,EAAA;QACjB,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;YACzC,OAAO,CAAC,OAAO,CAAC,CAAA,CAAA,EAAI,IAAI,CAAC,MAAM,CAAA,EAAA,EAAK,KAAK,CAAA,CAAE,CAAC;QAChD;IACJ;AAEA,IAAA,KAAK,CAAC,KAAa,EAAA;QACf,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;YACzC,OAAO,CAAC,KAAK,CAAC,CAAA,CAAA,EAAI,IAAI,CAAC,MAAM,CAAA,EAAA,EAAK,KAAK,CAAA,CAAE,CAAC;QAC9C;IACJ;IAEA,QAAQ,GAAA;QACJ,IAAI,IAAI,CAAC,OAAO,IAAI,IAAI,CAAC,SAAS,CAAC,OAAO,CAAC,EAAE;YACzC,OAAO,CAAC,QAAQ,EAAE;QACtB;IACJ;;AA7EwB,MAAA,CAAA,UAAU,GAA6B;AAC3D,IAAA,MAAM,EAAE,CAAC;AACT,IAAA,KAAK,EAAE,CAAC;AACR,IAAA,IAAI,EAAE,CAAC;AACP,IAAA,IAAI,EAAE,CAAC;AACP,IAAA,KAAK,EAAE,CAAC;AACR,IAAA,OAAO,EAAE,CAAC;CACb;;ACbL;;AAEG;MACU,WAAW,CAAA;IAIpB,WAAA,CAAY,gBAAkC,EAAE,MAAe,EAAA;AAC3D,QAAA,IAAI,CAAC,gBAAgB,GAAG,gBAAgB;QACxC,IAAI,CAAC,MAAM,GAAG,MAAM,IAAI,IAAI,MAAM,EAAE;IACxC;AAEA;;;AAGG;AACH,IAAA,MAAM,UAAU,GAAA;AACZ,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,0BAA0B,CAAC;;AAG5C,QAAA,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,mBAAmB,EAAE;;AAG/C,QAAA,IAAI,CAAC,gBAAgB,CAAC,kBAAkB,EAAE;;AAG1C,QAAA,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,EAAE;;AAGxC,QAAA,KAAK,MAAM,CAAC,GAAG,EAAE,KAAK,CAAC,IAAI,MAAM,CAAC,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC,EAAE;YACpD,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;YAChE,MAAM,cAAc,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,KAAK,CAAC;AACjE,YAAA,YAAY,CAAC,OAAO,CAAC,YAAY,EAAE,cAAc,CAAC;QACtD;AAEA,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,qCAAA,EAAwC,MAAM,CAAC,QAAQ,CAAC,SAAS,CAAA,MAAA,CAAQ,CAAC;IAC/F;AAEA;;AAEG;AACH,IAAA,MAAM,mBAAmB,GAAA;AACrB,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,6BAA6B,CAAC;QAC/C,MAAM,IAAI,GAA2B,EAAE;QACvC,IAAI,SAAS,GAAG,CAAC;AAEjB,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,YAAY,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;YACxC,IAAI,YAAY,IAAI,YAAY,CAAC,UAAU,CAAC,QAAQ,CAAC,EAAE;gBACnD,MAAM,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,YAAY,CAAC;gBACzD,IAAI,cAAc,EAAE;AAChB,oBAAA,IAAI;;wBAEA,MAAM,cAAc,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,cAAc,CAAC;;AAE1E,wBAAA,IAAI,CAAC,YAAY,CAAC,GAAG,cAAc;AACnC,wBAAA,SAAS,EAAE;oBACf;oBAAE,OAAO,KAAK,EAAE;wBACZ,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,sBAAA,EAAyB,YAAY,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;oBACrE;gBACJ;YACJ;QACJ;AAEA,QAAA,MAAM,MAAM,GAAoB;AAC5B,YAAA,OAAO,EAAE,OAAO;AAChB,YAAA,SAAS,EAAE,IAAI,CAAC,GAAG,EAAE;YACrB,IAAI;AACJ,YAAA,QAAQ,EAAE;AACN,gBAAA,UAAU,EAAE,IAAI,CAAC,gBAAgB,CAAC,aAAa,EAAE;AACjD,gBAAA,SAAS,EAAE,aAAa;gBACxB,SAAS;AACZ,aAAA;SACJ;QAED,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,SAAA,EAAY,SAAS,CAAA,MAAA,CAAQ,CAAC;AAC/C,QAAA,OAAO,MAAM;IACjB;AAEA;;AAEG;IACH,MAAM,mBAAmB,CAAC,MAAuB,EAAA;AAC7C,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,sBAAA,EAAyB,IAAI,IAAI,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC,WAAW,EAAE,CAAA,GAAA,CAAK,CAAC;QAExF,IAAI,QAAQ,GAAG,CAAC;AAChB,QAAA,KAAK,MAAM,CAAC,YAAY,EAAE,KAAK,CAAC,IAAI,MAAM,CAAC,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC,EAAE;AAC7D,YAAA,IAAI;gBACA,MAAM,cAAc,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,KAAK,CAAC;AACjE,gBAAA,YAAY,CAAC,OAAO,CAAC,YAAY,EAAE,cAAc,CAAC;AAClD,gBAAA,QAAQ,EAAE;YACd;YAAE,OAAO,KAAK,EAAE;gBACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,qBAAA,EAAwB,YAAY,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;YACrE;QACJ;AAEA,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,SAAA,EAAY,QAAQ,CAAA,CAAA,EAAI,MAAM,CAAC,QAAQ,CAAC,SAAS,CAAA,MAAA,CAAQ,CAAC;IAC/E;AACH;;ACpGD;;AAEG;MACU,iBAAiB,CAAA;IAI1B,WAAA,CAAY,OAAY,EAAE,SAAiB,EAAA;AACvC,QAAA,IAAI,CAAC,OAAO,GAAG,OAAO;AACtB,QAAA,IAAI,CAAC,MAAM,GAAG,CAAA,KAAA,EAAQ,SAAS,IAAI;IACvC;AAEA;;AAEG;AACH,IAAA,MAAM,OAAO,CAAC,GAAW,EAAE,KAAa,EAAA;AACpC,QAAA,OAAO,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,CAAA,EAAG,IAAI,CAAC,MAAM,GAAG,GAAG,CAAA,CAAE,EAAE,KAAK,CAAC;IAC9D;AAEA;;AAEG;AACH,IAAA,MAAM,iBAAiB,CAAC,GAAW,EAAE,KAAa,EAAE,OAAiD,EAAA;AACjG,QAAA,OAAO,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,GAAG,IAAI,CAAC,MAAM,CAAA,EAAG,GAAG,CAAA,CAAE,EAAE,KAAK,EAAE,OAAO,CAAC;IACjF;AAEA;;AAEG;IACH,MAAM,OAAO,CAAC,GAAW,EAAA;AACrB,QAAA,OAAO,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,CAAA,EAAG,IAAI,CAAC,MAAM,CAAA,EAAG,GAAG,CAAA,CAAE,CAAC;IACvD;AAEA;;AAEG;IACH,MAAM,UAAU,CAAC,GAAW,EAAA;AACxB,QAAA,OAAO,IAAI,CAAC,OAAO,CAAC,UAAU,CAAC,CAAA,EAAG,IAAI,CAAC,MAAM,CAAA,EAAG,GAAG,CAAA,CAAE,CAAC;IAC1D;AAEA;;AAEG;IACH,MAAM,OAAO,CAAC,GAAW,EAAA;AACrB,QAAA,OAAO,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,CAAA,EAAG,IAAI,CAAC,MAAM,CAAA,EAAG,GAAG,CAAA,CAAE,CAAC;IACvD;AAEA;;AAEG;AACH,IAAA,MAAM,cAAc,GAAA;QAChB,MAAM,YAAY,GAAa,EAAE;AAEjC,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,GAAG,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;YAC/B,IAAI,GAAG,IAAI,GAAG,CAAC,QAAQ,CAAC,IAAI,CAAC,MAAM,CAAC,EAAE;AAClC,gBAAA,YAAY,CAAC,IAAI,CAAC,GAAG,CAAC,OAAO,CAAC,IAAI,CAAC,MAAM,EAAE,EAAE,CAAC,CAAC;YACnD;QACJ;AAEA,QAAA,KAAK,MAAM,GAAG,IAAI,YAAY,EAAE;AAC5B,YAAA,MAAM,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC;QAC9B;IACJ;AAEA;;AAEG;AACH,IAAA,MAAM,IAAI,GAAA;QACN,MAAM,IAAI,GAAa,EAAE;AAEzB,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,GAAG,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;YAC/B,IAAI,GAAG,IAAI,GAAG,CAAC,QAAQ,CAAC,IAAI,CAAC,MAAM,CAAC,EAAE;AAClC,gBAAA,IAAI,CAAC,IAAI,CAAC,GAAG,CAAC,OAAO,CAAC,IAAI,CAAC,MAAM,EAAE,EAAE,CAAC,CAAC;YAC3C;QACJ;AAEA,QAAA,OAAO,IAAI;IACf;AACH;;AClFD;;AAEG;AAEH;;AAEG;SACa,sBAAsB,GAAA;IAClC,OAAO,OAAO,iBAAiB,KAAK,WAAW,IAAI,OAAO,mBAAmB,KAAK,WAAW;AACjG;AAEA;;AAEG;AACI,eAAe,QAAQ,CAAC,IAAY,EAAA;AACvC,IAAA,IAAI,CAAC,sBAAsB,EAAE,EAAE;;AAE3B,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,QAAA,OAAO,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC;IAC/B;AAEA,IAAA,IAAI;AACA,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,QAAA,MAAM,MAAM,GAAG,IAAI,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,MAAM,EAAE;AACxC,QAAA,MAAM,gBAAgB,GAAG,MAAM,CAAC,WAAW,CAAC,IAAI,iBAAiB,CAAC,MAAM,CAAC,CAAC;QAC1E,MAAM,cAAc,GAAG,MAAM,IAAI,QAAQ,CAAC,gBAAgB,CAAC,CAAC,IAAI,EAAE;AAClE,QAAA,MAAM,MAAM,GAAG,MAAM,cAAc,CAAC,WAAW,EAAE;AACjD,QAAA,OAAO,IAAI,UAAU,CAAC,MAAM,CAAC;IACjC;IAAE,OAAO,KAAK,EAAE;AACZ,QAAA,OAAO,CAAC,IAAI,CAAC,kDAAkD,EAAE,KAAK,CAAC;AACvE,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,QAAA,OAAO,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC;IAC/B;AACJ;AAEA;;AAEG;AACI,eAAe,UAAU,CAAC,IAAgB,EAAA;AAC7C,IAAA,IAAI,CAAC,sBAAsB,EAAE,EAAE;;AAE3B,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,QAAA,OAAO,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC;IAC/B;AAEA,IAAA,IAAI;AACA,QAAA,MAAM,MAAM,GAAG,IAAI,IAAI,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,MAAM,EAAE;AACxC,QAAA,MAAM,kBAAkB,GAAG,MAAM,CAAC,WAAW,CAAC,IAAI,mBAAmB,CAAC,MAAM,CAAC,CAAC;QAC9E,MAAM,gBAAgB,GAAG,MAAM,IAAI,QAAQ,CAAC,kBAAkB,CAAC,CAAC,IAAI,EAAE;AACtE,QAAA,OAAO,MAAM,gBAAgB,CAAC,IAAI,EAAE;IACxC;IAAE,OAAO,KAAK,EAAE;;AAEZ,QAAA,OAAO,CAAC,IAAI,CAAC,0CAA0C,EAAE,KAAK,CAAC;AAC/D,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;AACjC,QAAA,OAAO,OAAO,CAAC,MAAM,CAAC,IAAI,CAAC;IAC/B;AACJ;AAEA;;AAEG;SACa,cAAc,CAAC,IAAY,EAAE,YAAoB,IAAI,EAAA;AACjE,IAAA,OAAO,IAAI,CAAC,MAAM,IAAI,SAAS;AACnC;;AC/CA;;;AAGG;MACU,aAAa,CAAA;AAStB,IAAA,WAAA,CAAoB,MAA4B,EAAA;QAFxC,IAAA,CAAA,eAAe,GAA0B,IAAI;;QAIjD,IAAI,CAAC,MAAM,GAAG;YACV,UAAU,EAAE,EAAE,GAAG,cAAc,CAAC,UAAU,EAAE,GAAG,MAAM,EAAE,UAAU,EAAE;YACnE,OAAO,EAAE,EAAE,GAAG,cAAc,CAAC,OAAO,EAAE,GAAG,MAAM,EAAE,OAAO,EAAE;YAC1D,KAAK,EAAE,EAAE,GAAG,cAAc,CAAC,KAAK,EAAE,GAAG,MAAM,EAAE,KAAK,EAAE;SACtB;;AAGlC,QAAA,IAAI,CAAC,MAAM,GAAG,IAAI,MAAM,CAAC,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC;AAC3C,QAAA,IAAI,CAAC,gBAAgB,GAAG,IAAI,gBAAgB,CAAC,IAAI,CAAC,MAAM,CAAC,UAAU,CAAC;AACpE,QAAA,IAAI,CAAC,YAAY,GAAG,IAAI,YAAY,EAAE;AACtC,QAAA,IAAI,CAAC,WAAW,GAAG,IAAI,WAAW,CAAC,IAAI,CAAC,gBAAgB,EAAE,IAAI,CAAC,MAAM,CAAC;QAEtE,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,8BAA8B,EAAE,IAAI,CAAC,MAAM,CAAC;;QAG7D,IAAI,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,WAAW,EAAE;YACjC,IAAI,CAAC,gBAAgB,EAAE;QAC3B;IACJ;AAEA;;AAEG;IACI,OAAO,WAAW,CAAC,MAA4B,EAAA;AAClD,QAAA,IAAI,CAAC,aAAa,CAAC,QAAQ,EAAE;YACzB,aAAa,CAAC,QAAQ,GAAG,IAAI,aAAa,CAAC,MAAM,CAAC;QACtD;QACA,OAAO,aAAa,CAAC,QAAQ;IACjC;AAEA;;AAEG;IACK,gBAAgB,GAAA;AACpB,QAAA,IAAI,IAAI,CAAC,eAAe,EAAE;AACtB,YAAA,aAAa,CAAC,IAAI,CAAC,eAAe,CAAC;QACvC;AAEA,QAAA,IAAI,CAAC,eAAe,GAAG,WAAW,CAAC,MAAK;YACpC,IAAI,CAAC,YAAY,EAAE,CAAC,KAAK,CAAC,GAAG,IAAG;gBAC5B,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,sBAAsB,EAAE,GAAG,CAAC;AAClD,YAAA,CAAC,CAAC;QACN,CAAC,EAAE,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,eAAe,CAAC;AAEvC,QAAA,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,oCAAA,EAAuC,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,eAAe,CAAA,EAAA,CAAI,CAAC;IACrG;AAEA;;AAEG;AACI,IAAA,MAAM,OAAO,CAAC,GAAW,EAAE,KAAa,EAAA;QAC3C,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AAElC,QAAA,IAAI,CAAC,gBAAgB,CAAC,WAAW,EAAE,EAAE;AACjC,YAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,gEAAgE,CAAC;AAClF,YAAA,YAAY,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,CAAC;YAChC;QACJ;AAEA,QAAA,IAAI;;YAEA,MAAM,kBAAkB,GAAG,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,WAAW;gBACtD,cAAc,CAAC,KAAK,EAAE,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,oBAAoB,CAAC;YAEnE,IAAI,cAAc,GAAG,KAAK;YAC1B,IAAI,UAAU,GAAG,KAAK;YAEtB,IAAI,kBAAkB,EAAE;gBACpB,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,2BAAA,EAA8B,GAAG,CAAA,CAAE,CAAC;AACtD,gBAAA,MAAM,cAAc,GAAG,MAAM,QAAQ,CAAC,KAAK,CAAC;AAC5C,gBAAA,cAAc,GAAG,IAAI,CAAC,gBAAgB,CAAC,qBAAqB,CAAC,CAAC,cAAc,CAAC,MAAM,CAAC;gBACpF,UAAU,GAAG,IAAI;gBACjB,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,YAAY,EAAE,EAAE,GAAG,EAAE,CAAC;YACjD;;AAGA,YAAA,MAAM,GAAG,GAAG,IAAI,CAAC,GAAG,EAAE;AACtB,YAAA,MAAM,WAAW,GAAgB;AAC7B,gBAAA,KAAK,EAAE,cAAc;AACrB,gBAAA,SAAS,EAAE,GAAG;AACd,gBAAA,UAAU,EAAE,GAAG;AACf,gBAAA,OAAO,EAAE,eAAe;gBACxB,UAAU;aACb;;YAGD,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,iBAAiB,CAAC,cAAc,CAAC;AAC7D,YAAA,WAAW,CAAC,QAAQ,GAAG,QAAQ;;YAG/B,MAAM,UAAU,GAAG,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC;;YAG9C,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;;YAGhE,MAAM,cAAc,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,UAAU,CAAC;;AAGtE,YAAA,YAAY,CAAC,OAAO,CAAC,YAAY,EAAE,cAAc,CAAC;AAElD,YAAA,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,YAAA,EAAe,GAAG,CAAA,cAAA,EAAiB,UAAU,WAAW,cAAc,CAAC,MAAM,CAAA,CAAE,CAAC;YACpG,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,WAAW,EAAE,EAAE,GAAG,EAAE,QAAQ,EAAE,EAAE,UAAU,EAAE,IAAI,EAAE,cAAc,CAAC,MAAM,EAAE,EAAE,CAAC;YACnG,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;QACzC;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,sCAAA,EAAyC,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AACzE,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,OAAO,EAAE,EAAE,GAAG,EAAE,KAAK,EAAE,KAAc,EAAE,CAAC;AAC/D,YAAA,YAAY,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,CAAC;QACpC;IACJ;AAEA;;AAEG;AACI,IAAA,MAAM,iBAAiB,CAAC,GAAW,EAAE,KAAa,EAAE,OAAsB,EAAA;QAC7E,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,kBAAA,EAAqB,GAAG,CAAA,CAAE,CAAC;AAE5C,QAAA,IAAI,CAAC,gBAAgB,CAAC,WAAW,EAAE,EAAE;AACjC,YAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,gEAAgE,CAAC;AAClF,YAAA,YAAY,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,CAAC;YAChC;QACJ;AAEA,QAAA,IAAI;;YAEA,MAAM,kBAAkB,GAAG,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,WAAW;gBACtD,cAAc,CAAC,KAAK,EAAE,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,oBAAoB,CAAC;YAEnE,IAAI,cAAc,GAAG,KAAK;YAC1B,IAAI,UAAU,GAAG,KAAK;YAEtB,IAAI,kBAAkB,EAAE;gBACpB,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,2BAAA,EAA8B,GAAG,CAAA,CAAE,CAAC;AACtD,gBAAA,MAAM,cAAc,GAAG,MAAM,QAAQ,CAAC,KAAK,CAAC;AAC5C,gBAAA,cAAc,GAAG,IAAI,CAAC,gBAAgB,CAAC,qBAAqB,CAAC,CAAC,cAAc,CAAC,MAAM,CAAC;gBACpF,UAAU,GAAG,IAAI;gBACjB,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,YAAY,EAAE,EAAE,GAAG,EAAE,CAAC;YACjD;;AAGA,YAAA,IAAI,SAA6B;AACjC,YAAA,IAAI,OAAO,CAAC,SAAS,EAAE;gBACnB,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,GAAG,OAAO,CAAC,SAAS;YAC9C;AAAO,iBAAA,IAAI,OAAO,CAAC,SAAS,EAAE;AAC1B,gBAAA,SAAS,GAAG,OAAO,CAAC,SAAS,CAAC,OAAO,EAAE;YAC3C;;AAGA,YAAA,MAAM,GAAG,GAAG,IAAI,CAAC,GAAG,EAAE;AACtB,YAAA,MAAM,WAAW,GAAgB;AAC7B,gBAAA,KAAK,EAAE,cAAc;AACrB,gBAAA,SAAS,EAAE,GAAG;AACd,gBAAA,UAAU,EAAE,GAAG;AACf,gBAAA,OAAO,EAAE,eAAe;gBACxB,UAAU;gBACV,SAAS;aACZ;;YAGD,MAAM,QAAQ,GAAG,MAAM,IAAI,CAAC,iBAAiB,CAAC,cAAc,CAAC;AAC7D,YAAA,WAAW,CAAC,QAAQ,GAAG,QAAQ;;YAG/B,MAAM,UAAU,GAAG,IAAI,CAAC,SAAS,CAAC,WAAW,CAAC;;YAG9C,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;;YAGhE,MAAM,cAAc,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,UAAU,CAAC;;AAGtE,YAAA,YAAY,CAAC,OAAO,CAAC,YAAY,EAAE,cAAc,CAAC;YAElD,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,wBAAA,EAA2B,GAAG,CAAA,aAAA,EAAgB,SAAS,CAAA,CAAE,CAAC;AAC9E,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,WAAW,EAAE,EAAE,GAAG,EAAE,QAAQ,EAAE,EAAE,UAAU,EAAE,SAAS,EAAE,EAAE,CAAC;YACjF,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,kBAAA,EAAqB,GAAG,CAAA,CAAE,CAAC;QACnD;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,0CAAA,EAA6C,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AAC7E,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,OAAO,EAAE,EAAE,GAAG,EAAE,KAAK,EAAE,KAAc,EAAE,CAAC;AAC/D,YAAA,MAAM,KAAK;QACf;IACJ;AAEA;;AAEG;IACI,MAAM,OAAO,CAAC,GAAW,EAAA;QAC5B,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AAElC,QAAA,IAAI,CAAC,gBAAgB,CAAC,WAAW,EAAE,EAAE;AACjC,YAAA,OAAO,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC;QACpC;AAEA,QAAA,IAAI;;YAEA,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;;YAGhE,IAAI,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,YAAY,CAAC;;YAGvD,IAAI,CAAC,cAAc,EAAE;AACjB,gBAAA,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC;gBAC1C,IAAI,CAAC,cAAc,EAAE;oBACjB,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,oBAAA,OAAO,IAAI;gBACf;YACJ;;YAGA,MAAM,SAAS,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,cAAc,CAAC;;AAGrE,YAAA,IAAI,WAAwB;AAC5B,YAAA,IAAI;AACA,gBAAA,WAAW,GAAG,IAAI,CAAC,KAAK,CAAC,SAAS,CAAC;;gBAGnC,IAAI,CAAC,WAAW,CAAC,KAAK,IAAI,CAAC,WAAW,CAAC,OAAO,EAAE;;oBAE5C,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,gCAAA,EAAmC,GAAG,CAAA,CAAE,CAAC;oBAC1D,MAAM,IAAI,CAAC,OAAO,CAAC,GAAG,EAAE,SAAS,CAAC;oBAClC,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,oBAAA,OAAO,SAAS;gBACpB;YACJ;AAAE,YAAA,MAAM;;gBAEJ,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,gCAAA,EAAmC,GAAG,CAAA,CAAE,CAAC;gBAC1D,MAAM,IAAI,CAAC,OAAO,CAAC,GAAG,EAAE,SAAS,CAAC;gBAClC,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,gBAAA,OAAO,SAAS;YACpB;;AAGA,YAAA,IAAI,WAAW,CAAC,SAAS,IAAI,WAAW,CAAC,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,EAAE;gBAC7D,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,aAAA,EAAgB,GAAG,CAAA,CAAE,CAAC;AACvC,gBAAA,MAAM,IAAI,CAAC,UAAU,CAAC,GAAG,CAAC;gBAC1B,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,SAAS,EAAE,EAAE,GAAG,EAAE,CAAC;gBAC1C,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,gBAAA,OAAO,IAAI;YACf;;AAGA,YAAA,IAAI,WAAW,CAAC,QAAQ,EAAE;gBACtB,MAAM,kBAAkB,GAAG,MAAM,IAAI,CAAC,iBAAiB,CAAC,WAAW,CAAC,KAAK,CAAC;AAC1E,gBAAA,IAAI,kBAAkB,KAAK,WAAW,CAAC,QAAQ,EAAE;oBAC7C,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,gCAAA,EAAmC,GAAG,CAAA,CAAE,CAAC;AAC1D,oBAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,OAAO,EAAE;wBAC5B,GAAG;AACH,wBAAA,KAAK,EAAE,IAAI,KAAK,CAAC,+BAA+B;AACnD,qBAAA,CAAC;gBACN;YACJ;;AAGA,YAAA,IAAI,UAAU,GAAG,WAAW,CAAC,KAAK;AAClC,YAAA,IAAI,WAAW,CAAC,UAAU,EAAE;gBACxB,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,6BAAA,EAAgC,GAAG,CAAA,CAAE,CAAC;AACxD,gBAAA,MAAM,cAAc,GAAG,IAAI,CAAC,gBAAgB,CAAC,qBAAqB,CAAC,CAAC,WAAW,CAAC,KAAK,CAAC;gBACtF,UAAU,GAAG,MAAM,UAAU,CAAC,IAAI,UAAU,CAAC,cAAc,CAAC,CAAC;gBAC7D,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,cAAc,EAAE,EAAE,GAAG,EAAE,CAAC;YACnD;YAEA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,WAAW,EAAE,EAAE,GAAG,EAAE,CAAC;YAC5C,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,YAAA,OAAO,UAAU;QACrB;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,wCAAA,EAA2C,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AAC3E,YAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,OAAO,EAAE,EAAE,GAAG,EAAE,KAAK,EAAE,KAAc,EAAE,CAAC;;YAE/D,MAAM,QAAQ,GAAG,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC;YAC1C,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC,CAAA,QAAA,EAAW,GAAG,CAAA,CAAE,CAAC;AACrC,YAAA,OAAO,QAAQ;QACnB;IACJ;AAEA;;AAEG;IACI,MAAM,UAAU,CAAC,GAAW,EAAA;AAC/B,QAAA,IAAI,CAAC,gBAAgB,CAAC,WAAW,EAAE,EAAE;AACjC,YAAA,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC;YAC5B;QACJ;AAEA,QAAA,IAAI;YACA,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;AAChE,YAAA,YAAY,CAAC,UAAU,CAAC,YAAY,CAAC;AACrC,YAAA,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC;YAC7B,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,SAAS,EAAE,EAAE,GAAG,EAAE,CAAC;YAC1C,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,aAAA,EAAgB,GAAG,CAAA,CAAE,CAAC;QAC3C;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,4BAAA,EAA+B,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AAC/D,YAAA,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC;QAChC;IACJ;AAEA;;AAEG;IACI,MAAM,OAAO,CAAC,GAAW,EAAA;QAC5B,MAAM,KAAK,GAAG,MAAM,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC;QACrC,OAAO,KAAK,KAAK,IAAI;IACzB;AAEA;;AAEG;IACI,KAAK,GAAA;AACR,QAAA,IAAI,CAAC,gBAAgB,CAAC,kBAAkB,EAAE;QAC1C,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,SAAS,EAAE,EAAE,CAAC;AACrC,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,4BAA4B,CAAC;IAClD;AAEA;;AAEG;AACI,IAAA,MAAM,YAAY,GAAA;AACrB,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,sCAAsC,CAAC;QACxD,IAAI,YAAY,GAAG,CAAC;QAEpB,MAAM,WAAW,GAAa,EAAE;AAChC,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,GAAG,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;YAC/B,IAAI,GAAG,IAAI,GAAG,CAAC,UAAU,CAAC,QAAQ,CAAC,EAAE;AACjC,gBAAA,WAAW,CAAC,IAAI,CAAC,GAAG,CAAC;YACzB;QACJ;AAEA,QAAA,KAAK,MAAM,YAAY,IAAI,WAAW,EAAE;AACpC,YAAA,IAAI;gBACA,MAAM,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,YAAY,CAAC;AACzD,gBAAA,IAAI,CAAC,cAAc;oBAAE;gBAErB,MAAM,SAAS,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,cAAc,CAAC;gBACrE,MAAM,WAAW,GAAgB,IAAI,CAAC,KAAK,CAAC,SAAS,CAAC;AAEtD,gBAAA,IAAI,WAAW,CAAC,SAAS,IAAI,WAAW,CAAC,SAAS,GAAG,IAAI,CAAC,GAAG,EAAE,EAAE;AAC7D,oBAAA,YAAY,CAAC,UAAU,CAAC,YAAY,CAAC;AACrC,oBAAA,YAAY,EAAE;AACd,oBAAA,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,SAAS,EAAE,EAAE,GAAG,EAAE,YAAY,EAAE,CAAC;gBAC5D;YACJ;YAAE,OAAO,KAAK,EAAE;gBACZ,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,+BAAA,EAAkC,YAAY,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;YAC9E;QACJ;QAEA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,2BAAA,EAA8B,YAAY,CAAA,cAAA,CAAgB,CAAC;AAC5E,QAAA,OAAO,YAAY;IACvB;AAEA;;AAEG;IACI,MAAM,eAAe,CAAC,GAAW,EAAA;AACpC,QAAA,IAAI;YACA,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;YAChE,MAAM,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,YAAY,CAAC;AAEzD,YAAA,IAAI,CAAC,cAAc;AAAE,gBAAA,OAAO,KAAK;YAEjC,MAAM,SAAS,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,cAAc,CAAC;YACrE,MAAM,WAAW,GAAgB,IAAI,CAAC,KAAK,CAAC,SAAS,CAAC;AAEtD,YAAA,IAAI,CAAC,WAAW,CAAC,QAAQ,EAAE;gBACvB,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,2BAAA,EAA8B,GAAG,CAAA,CAAE,CAAC;gBACrD,OAAO,IAAI,CAAC;YAChB;YAEA,MAAM,kBAAkB,GAAG,MAAM,IAAI,CAAC,iBAAiB,CAAC,WAAW,CAAC,KAAK,CAAC;AAC1E,YAAA,OAAO,kBAAkB,KAAK,WAAW,CAAC,QAAQ;QACtD;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,8BAAA,EAAiC,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AACjE,YAAA,OAAO,KAAK;QAChB;IACJ;AAEA;;AAEG;IACI,MAAM,gBAAgB,CAAC,GAAW,EAAA;AACrC,QAAA,IAAI;YACA,MAAM,YAAY,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,UAAU,CAAC,GAAG,CAAC;YAChE,MAAM,cAAc,GAAG,YAAY,CAAC,OAAO,CAAC,YAAY,CAAC;AAEzD,YAAA,IAAI,CAAC,cAAc;AAAE,gBAAA,OAAO,IAAI;YAEhC,MAAM,SAAS,GAAG,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,cAAc,CAAC;YACrE,MAAM,WAAW,GAAgB,IAAI,CAAC,KAAK,CAAC,SAAS,CAAC;AAEtD,YAAA,MAAM,KAAK,GAAG,WAAW,CAAC;AACtB,kBAAE,MAAM,IAAI,CAAC,iBAAiB,CAAC,WAAW,CAAC,KAAK,CAAC,KAAK,WAAW,CAAC;kBAChE,IAAI;YAEV,OAAO;gBACH,KAAK;gBACL,YAAY,EAAE,WAAW,CAAC,UAAU;AACpC,gBAAA,QAAQ,EAAE,WAAW,CAAC,QAAQ,IAAI,EAAE;gBACpC,OAAO,EAAE,WAAW,CAAC,OAAO;aAC/B;QACL;QAAE,OAAO,KAAK,EAAE;YACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,iCAAA,EAAoC,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;AACpE,YAAA,OAAO,IAAI;QACf;IACJ;AAEA;;AAEG;AACI,IAAA,SAAS,CAAC,IAAY,EAAA;QACzB,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,oBAAA,EAAuB,IAAI,CAAA,CAAE,CAAC;AAChD,QAAA,OAAO,IAAI,iBAAiB,CAAC,IAAI,EAAE,IAAI,CAAC;IAC5C;AAEA;;AAEG;AACI,IAAA,MAAM,UAAU,GAAA;AACnB,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,0BAA0B,CAAC;AAC5C,QAAA,MAAM,IAAI,CAAC,WAAW,CAAC,UAAU,EAAE;QACnC,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,YAAY,EAAE,EAAE,CAAC;AACxC,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,wBAAwB,CAAC;IAC9C;AAEA;;AAEG;AACI,IAAA,MAAM,mBAAmB,GAAA;AAC5B,QAAA,OAAO,IAAI,CAAC,WAAW,CAAC,mBAAmB,EAAE;IACjD;AAEA;;AAEG;IACI,MAAM,mBAAmB,CAAC,MAAW,EAAA;QACxC,OAAO,IAAI,CAAC,WAAW,CAAC,mBAAmB,CAAC,MAAM,CAAC;IACvD;AAEA;;AAEG;IACI,EAAE,CAAC,KAAuB,EAAE,QAAuB,EAAA;QACtD,IAAI,CAAC,YAAY,CAAC,EAAE,CAAC,KAAK,EAAE,QAAQ,CAAC;IACzC;AAEA;;AAEG;IACI,IAAI,CAAC,KAAuB,EAAE,QAAuB,EAAA;QACxD,IAAI,CAAC,YAAY,CAAC,IAAI,CAAC,KAAK,EAAE,QAAQ,CAAC;IAC3C;AAEA;;AAEG;IACI,GAAG,CAAC,KAAuB,EAAE,QAAuB,EAAA;QACvD,IAAI,CAAC,YAAY,CAAC,GAAG,CAAC,KAAK,EAAE,QAAQ,CAAC;IAC1C;AAEA;;AAEG;AACI,IAAA,kBAAkB,CAAC,KAAwB,EAAA;AAC9C,QAAA,IAAI,CAAC,YAAY,CAAC,kBAAkB,CAAC,KAAK,CAAC;IAC/C;AAEA;;AAEG;IACI,MAAM,mBAAmB,CAAC,IAAc,EAAA;AAC3C,QAAA,IAAI,CAAC,gBAAgB,CAAC,WAAW,EAAE,EAAE;AACjC,YAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,iDAAiD,CAAC;YACnE;QACJ;QAEA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,uBAAA,EAA0B,IAAI,CAAC,MAAM,CAAA,UAAA,CAAY,CAAC;AAEnE,QAAA,KAAK,MAAM,GAAG,IAAI,IAAI,EAAE;AACpB,YAAA,IAAI;gBACA,MAAM,KAAK,GAAG,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC;gBACvC,IAAI,KAAK,KAAK,IAAI;oBAAE;;AAGpB,gBAAA,IAAI;oBACA,MAAM,IAAI,CAAC,gBAAgB,CAAC,OAAO,CAAC,KAAK,CAAC;oBAC1C,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,EAAA,EAAK,GAAG,CAAA,6BAAA,CAA+B,CAAC;oBACzD;gBACJ;AAAE,gBAAA,MAAM;;gBAER;gBAEA,MAAM,IAAI,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,CAAC;AAC9B,gBAAA,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC;gBAC5B,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,CAAA,EAAA,EAAK,GAAG,CAAA,qBAAA,CAAuB,CAAC;YACrD;YAAE,OAAO,KAAK,EAAE;gBACZ,IAAI,CAAC,MAAM,CAAC,KAAK,CAAC,CAAA,kBAAA,EAAqB,GAAG,CAAA,CAAA,CAAG,EAAE,KAAK,CAAC;YACzD;QACJ;AAEA,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,wBAAwB,CAAC;IAC9C;AAEA;;AAEG;IACI,YAAY,GAAA;QAOf,MAAM,OAAO,GAAa,EAAE;AAC5B,QAAA,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;YAC1C,MAAM,GAAG,GAAG,YAAY,CAAC,GAAG,CAAC,CAAC,CAAC;AAC/B,YAAA,IAAI,GAAG;AAAE,gBAAA,OAAO,CAAC,IAAI,CAAC,GAAG,CAAC;QAC9B;AAEA,QAAA,MAAM,aAAa,GAAG,OAAO,CAAC,MAAM,CAAC,GAAG,IAAI,GAAG,CAAC,UAAU,CAAC,QAAQ,CAAC,CAAC;QACrE,MAAM,eAAe,GAAG,OAAO,CAAC,MAAM,CAClC,GAAG,IAAI,CAAC,GAAG,CAAC,UAAU,CAAC,QAAQ,CAAC,IAAI,GAAG,KAAK,YAAY,IAAI,GAAG,KAAK,eAAe,CACtF;QAED,OAAO;AACH,YAAA,eAAe,EAAE,gBAAgB,CAAC,WAAW,EAAE;YAC/C,aAAa;YACb,eAAe;YACf,SAAS,EAAE,OAAO,CAAC,MAAM;YACzB,MAAM,EAAE,IAAI,CAAC,MAAM;SACtB;IACL;AAEA;;AAEG;IACK,MAAM,iBAAiB,CAAC,KAAa,EAAA;AACzC,QAAA,MAAM,OAAO,GAAG,IAAI,WAAW,EAAE;QACjC,MAAM,IAAI,GAAG,OAAO,CAAC,MAAM,CAAC,KAAK,CAAC;AAClC,QAAA,MAAM,UAAU,GAAG,MAAM,MAAM,CAAC,MAAM,CAAC,MAAM,CAAC,SAAS,EAAE,IAAI,CAAC;AAC9D,QAAA,MAAM,SAAS,GAAG,KAAK,CAAC,IAAI,CAAC,IAAI,UAAU,CAAC,UAAU,CAAC,CAAC;QACxD,OAAO,SAAS,CAAC,GAAG,CAAC,CAAC,IAAI,CAAC,CAAC,QAAQ,CAAC,EAAE,CAAC,CAAC,QAAQ,CAAC,CAAC,EAAE,GAAG,CAAC,CAAC,CAAC,IAAI,CAAC,EAAE,CAAC;IACvE;AAEA;;AAEG;IACI,OAAO,GAAA;AACV,QAAA,IAAI,IAAI,CAAC,eAAe,EAAE;AACtB,YAAA,aAAa,CAAC,IAAI,CAAC,eAAe,CAAC;AACnC,YAAA,IAAI,CAAC,eAAe,GAAG,IAAI;QAC/B;QACA,IAAI,CAAC,kBAAkB,EAAE;AACzB,QAAA,IAAI,CAAC,MAAM,CAAC,IAAI,CAAC,yBAAyB,CAAC;IAC/C;;AApjBe,aAAA,CAAA,QAAQ,GAAyB,IAAzB;;AClB3B,MAAMA,eAAa,GAAG,aAAa,CAAC,WAAW,EAAE;AAEjD;;;AAGG;AACI,eAAe,oBAAoB,GAAA;AACtC,IAAA,OAAO,CAAC,KAAK,CAAC,uCAAuC,CAAC;IAEtD,OAAO,CAAC,GAAG,CAAC,qBAAqB,EAAE,gBAAgB,CAAC,WAAW,EAAE,CAAC;;AAGlE,IAAA,MAAM,SAAS,GAAGA,eAAa,CAAC,YAAY,EAAE;IAE9C,OAAO,CAAC,GAAG,CAAC,qBAAqB,EAAE,SAAS,CAAC,aAAa,CAAC,MAAM,CAAC;IAClE,OAAO,CAAC,GAAG,CAAC,uBAAuB,EAAE,SAAS,CAAC,eAAe,CAAC;IAC/D,OAAO,CAAC,GAAG,CAAC,kBAAkB,EAAE,SAAS,CAAC,SAAS,CAAC;IAEpD,IAAI,SAAS,CAAC,aAAa,CAAC,MAAM,GAAG,CAAC,EAAE;AACpC,QAAA,OAAO,CAAC,GAAG,CAAC,kCAAkC,CAAC;AAC/C,QAAA,SAAS,CAAC,aAAa,CAAC,OAAO,CAAC,GAAG,IAAG;YAClC,MAAM,KAAK,GAAG,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC;AACvC,YAAA,OAAO,CAAC,GAAG,CAAC,CAAA,EAAA,EAAK,GAAG,KAAK,KAAK,EAAE,SAAS,CAAC,CAAC,EAAE,EAAE,CAAC,CAAA,GAAA,CAAK,CAAC;AAC1D,QAAA,CAAC,CAAC;IACN;SAAO;AACH,QAAA,OAAO,CAAC,GAAG,CAAC,wCAAwC,CAAC;IACzD;IAEA,IAAI,SAAS,CAAC,eAAe,CAAC,MAAM,GAAG,CAAC,EAAE;AACtC,QAAA,OAAO,CAAC,GAAG,CAAC,sCAAsC,CAAC;AACnD,QAAA,SAAS,CAAC,eAAe,CAAC,OAAO,CAAC,GAAG,IAAG;AACpC,YAAA,OAAO,CAAC,GAAG,CAAC,KAAK,GAAG,CAAA,CAAE,CAAC;AAC3B,QAAA,CAAC,CAAC;IACN;IAEA,OAAO,CAAC,QAAQ,EAAE;AACtB;AAEA;;;AAGG;AACI,eAAe,cAAc,CAAC,UAAqB,EAAA;AACtD,IAAA,MAAM,WAAW,GAAG;QAChB,aAAa;QACb,cAAc;QACd,MAAM;QACN,WAAW;QACX,WAAW;QACX,UAAU;KACb;AAED,IAAA,MAAM,aAAa,GAAG,UAAU,IAAI,WAAW;IAE/C,OAAO,CAAC,GAAG,CAAC,CAAA,kCAAA,EAAqC,aAAa,CAAC,MAAM,CAAA,UAAA,CAAY,CAAC;AAElF,IAAA,MAAMA,eAAa,CAAC,mBAAmB,CAAC,aAAa,CAAC;AAEtD,IAAA,OAAO,CAAC,GAAG,CAAC,gCAAgC,CAAC;;IAG7C,MAAM,oBAAoB,EAAE;AAChC;;ACjEA;;;;;;AAMG;AAEH;MA+Ba,aAAa,GAAG,aAAa,CAAC,WAAW;AAEtD;AACO,MAAM,OAAO,GAAG;;AC1CvB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AAiDA;AACO,SAAS,YAAY,CAAC,IAAI,EAAE,YAAY,EAAE,UAAU,EAAE,SAAS,EAAE,YAAY,EAAE,iBAAiB,EAAE;AACzG,IAAI,SAAS,MAAM,CAAC,CAAC,EAAE,EAAE,IAAI,CAAC,KAAK,MAAM,IAAI,OAAO,CAAC,KAAK,UAAU,EAAE,MAAM,IAAI,SAAS,CAAC,mBAAmB,CAAC,CAAC,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC;AAC3H,IAAI,IAAI,IAAI,GAAG,SAAS,CAAC,IAAI,EAAE,GAAG,GAAG,IAAI,KAAK,QAAQ,GAAG,KAAK,GAAG,IAAI,KAAK,QAAQ,GAAG,KAAK,GAAG,OAAO,CAAC;AACrG,IAAI,IAAI,MAAM,GAAG,CAAC,YAAY,IAAI,IAAI,GAAG,SAAS,CAAC,QAAQ,CAAC,GAAG,IAAI,GAAG,IAAI,CAAC,SAAS,GAAG,IAAI,CAAC;AAC5F,IAAI,IAAI,UAAU,GAAG,YAAY,KAAK,MAAM,GAAG,MAAM,CAAC,wBAAwB,CAAC,MAAM,EAAE,SAAS,CAAC,IAAI,CAAC,GAAG,EAAE,CAAC,CAAC;AAC7G,IAAI,IAAI,CAAC,EAAE,IAAI,GAAG,KAAK,CAAC;AACxB,IAAI,KAAK,IAAI,CAAC,GAAG,UAAU,CAAC,MAAM,GAAG,CAAC,EAAE,CAAC,IAAI,CAAC,EAAE,CAAC,EAAE,EAAE;AACrD,QAAQ,IAAI,OAAO,GAAG,EAAE,CAAC;AACzB,QAAQ,KAAK,IAAI,CAAC,IAAI,SAAS,EAAE,OAAO,CAAC,CAAC,CAAC,GAAG,CAAC,KAAK,QAAQ,GAAG,EAAE,GAAG,SAAS,CAAC,CAAC,CAAC,CAAC;AACjF,QAAQ,KAAK,IAAI,CAAC,IAAI,SAAS,CAAC,MAAM,EAAE,OAAO,CAAC,MAAM,CAAC,CAAC,CAAC,GAAG,SAAS,CAAC,MAAM,CAAC,CAAC,CAAC,CAAC;AAChF,QAAQ,OAAO,CAAC,cAAc,GAAG,UAAU,CAAC,EAAE,EAAE,IAAI,IAAI,EAAE,MAAM,IAAI,SAAS,CAAC,wDAAwD,CAAC,CAAC,CAAC,iBAAiB,CAAC,IAAI,CAAC,MAAM,CAAC,CAAC,IAAI,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC;AACtL,QAAQ,IAAI,MAAM,GAAG,IAAI,UAAU,CAAC,CAAC,CAAC,EAAE,IAAI,KAAK,UAAU,GAAG,EAAE,GAAG,EAAE,UAAU,CAAC,GAAG,EAAE,GAAG,EAAE,UAAU,CAAC,GAAG,EAAE,GAAG,UAAU,CAAC,GAAG,CAAC,EAAE,OAAO,CAAC,CAAC;AACvI,QAAQ,IAAI,IAAI,KAAK,UAAU,EAAE;AACjC,YAAY,IAAI,MAAM,KAAK,MAAM,EAAE,SAAS;AAC5C,YAAY,IAAI,MAAM,KAAK,IAAI,IAAI,OAAO,MAAM,KAAK,QAAQ,EAAE,MAAM,IAAI,SAAS,CAAC,iBAAiB,CAAC,CAAC;AACtG,YAAY,IAAI,CAAC,GAAG,MAAM,CAAC,MAAM,CAAC,GAAG,CAAC,EAAE,UAAU,CAAC,GAAG,GAAG,CAAC,CAAC;AAC3D,YAAY,IAAI,CAAC,GAAG,MAAM,CAAC,MAAM,CAAC,GAAG,CAAC,EAAE,UAAU,CAAC,GAAG,GAAG,CAAC,CAAC;AAC3D,YAAY,IAAI,CAAC,GAAG,MAAM,CAAC,MAAM,CAAC,IAAI,CAAC,EAAE,YAAY,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC;AACjE,QAAQ,CAAC;AACT,aAAa,IAAI,CAAC,GAAG,MAAM,CAAC,MAAM,CAAC,EAAE;AACrC,YAAY,IAAI,IAAI,KAAK,OAAO,EAAE,YAAY,CAAC,OAAO,CAAC,CAAC,CAAC,CAAC;AAC1D,iBAAiB,UAAU,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC;AACrC,QAAQ,CAAC;AACT,IAAI,CAAC;AACL,IAAI,IAAI,MAAM,EAAE,MAAM,CAAC,cAAc,CAAC,MAAM,EAAE,SAAS,CAAC,IAAI,EAAE,UAAU,CAAC,CAAC;AAC1E,IAAI,IAAI,GAAG,IAAI,CAAC;AAChB,CACA;AACO,SAAS,iBAAiB,CAAC,OAAO,EAAE,YAAY,EAAE,KAAK,EAAE;AAChE,IAAI,IAAI,QAAQ,GAAG,SAAS,CAAC,MAAM,GAAG,CAAC,CAAC;AACxC,IAAI,KAAK,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC,GAAG,YAAY,CAAC,MAAM,EAAE,CAAC,EAAE,EAAE;AAClD,QAAQ,KAAK,GAAG,QAAQ,GAAG,YAAY,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,OAAO,EAAE,KAAK,CAAC,GAAG,YAAY,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,OAAO,CAAC,CAAC;AAChG,IAAI,CAAC;AACL,IAAI,OAAO,QAAQ,GAAG,KAAK,GAAG,MAAM,CAAC;AACrC,CAKA;AACO,SAAS,iBAAiB,CAAC,CAAC,EAAE,IAAI,EAAE,MAAM,EAAE;AACnD,IAAI,IAAI,OAAO,IAAI,KAAK,QAAQ,EAAE,IAAI,GAAG,IAAI,CAAC,WAAW,GAAG,GAAG,CAAC,MAAM,CAAC,IAAI,CAAC,WAAW,EAAE,GAAG,CAAC,GAAG,EAAE,CAAC;AACnG,IAAI,OAAO,MAAM,CAAC,cAAc,CAAC,CAAC,EAAE,MAAM,EAAE,EAAE,YAAY,EAAE,IAAI,EAAE,KAAK,EAAE,MAAM,GAAG,EAAE,CAAC,MAAM,CAAC,MAAM,EAAE,GAAG,EAAE,IAAI,CAAC,GAAG,IAAI,EAAE,CAAC,CAAC;AACzH,CA2NA;AACuB,OAAO,eAAe,KAAK,UAAU,GAAG,eAAe,GAAG,UAAU,KAAK,EAAE,UAAU,EAAE,OAAO,EAAE;AACvH,IAAI,IAAI,CAAC,GAAG,IAAI,KAAK,CAAC,OAAO,CAAC,CAAC;AAC/B,IAAI,OAAO,CAAC,CAAC,IAAI,GAAG,iBAAiB,EAAE,CAAC,CAAC,KAAK,GAAG,KAAK,EAAE,CAAC,CAAC,UAAU,GAAG,UAAU,EAAE,CAAC,CAAC;AACrF;;ACrUA;;;;;;;;;;;;;;;AAeG;IAIU,oBAAoB,GAAA,CAAA,MAAA;AAHhC,IAAA,IAAA,gBAAA,GAAA,CAAAC,eAAU,CAAC;AACR,YAAA,UAAU,EAAE;SACf,CAAC,CAAA;;;;;AAWE,QAAA,WAAA,CAAY,MAA4B,EAAA;YARhC,IAAA,CAAA,UAAU,GAAG,IAAIC,oBAAe,CAAC,IAAI,CAAC,YAAY,EAAE,CAAC;AACrD,YAAA,IAAA,CAAA,cAAc,GAAG,IAAIC,YAAO,EAAoB;AAExD;;AAEG;AACI,YAAA,IAAA,CAAA,OAAO,GAAG,IAAI,CAAC,cAAc,CAAC,YAAY,EAAE;YAG/C,IAAI,CAAC,OAAO,GAAG,aAAa,CAAC,WAAW,CAAC,MAAM,CAAC;;YAGhD,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,WAAW,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACtE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,WAAW,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACtE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,SAAS,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACpE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,SAAS,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACpE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,SAAS,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACpE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,OAAO,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YAClE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,YAAY,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACvE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,YAAY,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;YACvE,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,cAAc,EAAE,CAAC,IAAI,KAAK,IAAI,CAAC,cAAc,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;;YAGzE,WAAW,CAAC,MAAK;gBACb,IAAI,CAAC,UAAU,CAAC,IAAI,CAAC,IAAI,CAAC,YAAY,EAAE,CAAC;YAC7C,CAAC,EAAE,IAAI,CAAC;QACZ;AAEA;;;;;AAKG;QACH,OAAO,CAAC,GAAW,EAAE,KAAa,EAAA;AAC9B,YAAA,OAAOC,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,EAAE,KAAK,CAAC,CAAC;QACjD;AAEA;;;;;;AAMG;AACH,QAAA,iBAAiB,CAAC,GAAW,EAAE,KAAa,EAAE,OAAsB,EAAA;AAChE,YAAA,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,iBAAiB,CAAC,GAAG,EAAE,KAAK,EAAE,OAAO,CAAC,CAAC;QACpE;AAEA;;;;AAIG;AACH,QAAA,OAAO,CAAC,GAAW,EAAA;YACf,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC;QAC1C;AAEA;;;;AAIG;AACH,QAAA,UAAU,CAAC,GAAW,EAAA;YAClB,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC;QAC7C;AAEA;;;;AAIG;AACH,QAAA,OAAO,CAAC,GAAW,EAAA;YACf,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC;QAC1C;AAEA;;AAEG;QACH,KAAK,GAAA;AACD,YAAA,IAAI,CAAC,OAAO,CAAC,KAAK,EAAE;QACxB;AAEA;;;AAGG;QACH,YAAY,GAAA;YACR,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,YAAY,EAAE,CAAC;QAC5C;AAEA;;;;AAIG;AACH,QAAA,eAAe,CAAC,GAAW,EAAA;YACvB,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC;QAClD;AAEA;;;;AAIG;AACH,QAAA,gBAAgB,CAAC,GAAW,EAAA;YACxB,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,gBAAgB,CAAC,GAAG,CAAC,CAAC;QACnD;AAEA;;;;AAIG;AACH,QAAA,SAAS,CAAC,IAAY,EAAA;YAClB,OAAO,IAAI,CAAC,OAAO,CAAC,SAAS,CAAC,IAAI,CAAC;QACvC;AAEA;;;AAGG;QACH,UAAU,GAAA;YACN,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,UAAU,EAAE,CAAC;QAC1C;AAEA;;;AAGG;QACH,mBAAmB,GAAA;YACf,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,mBAAmB,EAAE,CAAC;QACnD;AAEA;;;;AAIG;AACH,QAAA,mBAAmB,CAAC,MAAuB,EAAA;YACvC,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,mBAAmB,CAAC,MAAM,CAAC,CAAC;QACzD;AAEA;;;;AAIG;AACH,QAAA,mBAAmB,CAAC,IAAc,EAAA;YAC9B,OAAOA,SAAI,CAAC,IAAI,CAAC,OAAO,CAAC,mBAAmB,CAAC,IAAI,CAAC,CAAC;QACvD;AAEA;;;AAGG;QACH,aAAa,GAAA;AACT,YAAA,OAAO,IAAI,CAAC,UAAU,CAAC,YAAY,EAAE;QACzC;AAEA;;AAEG;QACK,YAAY,GAAA;AAChB,YAAA,OAAO,IAAI,CAAC,OAAO,CAAC,YAAY,EAAE;QACtC;AAEA;;;;AAIG;QACH,SAAS,CAAI,GAAW,EAAE,KAAQ,EAAA;AAC9B,YAAA,OAAO,IAAI,CAAC,OAAO,CAAC,GAAG,EAAE,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,CAAC;QACnD;AAEA;;;;;AAKG;AACH,QAAA,mBAAmB,CAAI,GAAW,EAAE,KAAQ,EAAE,OAAsB,EAAA;AAChE,YAAA,OAAO,IAAI,CAAC,iBAAiB,CAAC,GAAG,EAAE,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,EAAE,OAAO,CAAC;QACtE;AAEA;;;;AAIG;AACH,QAAA,SAAS,CAAI,GAAW,EAAA;YACpB,OAAO,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,IAAI,CACzBC,aAAG,CAAC,KAAK,IAAI,KAAK,GAAG,IAAI,CAAC,KAAK,CAAC,KAAK,CAAM,GAAG,IAAI,CAAC,EACnDC,oBAAU,CAAC,MAAMF,SAAI,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,CACjC;QACL;AAEA;;;;AAIG;QACH,EAAE,CAAC,KAAU,EAAE,OAAyC,EAAA;YACpD,IAAI,CAAC,OAAO,CAAC,EAAE,CAAC,KAAK,EAAE,OAAO,CAAC;QACnC;AAEA;;;;AAIG;QACH,GAAG,CAAC,KAAU,EAAE,OAAyC,EAAA;YACrD,IAAI,CAAC,OAAO,CAAC,GAAG,CAAC,KAAK,EAAE,OAAO,CAAC;QACpC;AAEA;;;;AAIG;AACH,QAAA,QAAQ,CAAC,SAAiB,EAAA;AACtB,YAAA,OAAO,IAAI,CAAC,OAAO,CAAC,IAAI,CACpBC,aAAG,CAAC,KAAK,IAAI,KAAK,CAAC,IAAI,KAAK,SAAS,GAAG,KAAK,GAAG,IAAI,CAAC,EACrDA,aAAG,CAAC,KAAK,IAAI,KAAM,CAAC,CACvB;QACL;;;;;QApOJ,YAAA,CAAA,IAAA,EAAA,gBAAA,GAAA,EAAA,KAAA,EAAA,UAAA,EAAA,EAAA,gBAAA,EAAA,EAAA,IAAA,EAAA,OAAA,EAAA,IAAA,EAAA,UAAA,CAAA,IAAA,EAAA,QAAA,EAAA,SAAA,EAAA,EAAA,IAAA,EAAA,uBAAA,CAAA;;;QAAa,iBAAA,CAAA,UAAA,EAAA,uBAAA,CAAA;;;;;;;;;;;;;;;;;;;;;;;;","x_google_ignoreList":[10]}
@@ -0,0 +1,76 @@
1
+ import type { EncryptionConfig } from '../types';
2
+ /**
3
+ * EncryptionHelper - Clase responsable de todas las operaciones criptográficas
4
+ * Implementa AES-256-GCM con derivación de claves PBKDF2 y fingerprinting del navegador
5
+ */
6
+ export declare class EncryptionHelper {
7
+ private static readonly ALGORITHM;
8
+ private static readonly HASH_ALGORITHM;
9
+ private static readonly SALT_STORAGE_KEY;
10
+ private static readonly KEY_VERSION_KEY;
11
+ private readonly config;
12
+ private key;
13
+ private baseKey;
14
+ private baseKeyPromise;
15
+ private keyVersion;
16
+ constructor(config?: EncryptionConfig);
17
+ /**
18
+ * Get current key version
19
+ */
20
+ getKeyVersion(): number;
21
+ /**
22
+ * Genera un fingerprint único del navegador
23
+ * Combina múltiples características del navegador para crear una huella digital
24
+ */
25
+ private generateBaseKey;
26
+ /**
27
+ * Hashea un string usando SHA-256
28
+ * @param str - String a hashear
29
+ * @returns Hash hexadecimal
30
+ */
31
+ private hashString;
32
+ /**
33
+ * Deriva una clave criptográfica usando PBKDF2
34
+ * @param password - Password base (fingerprint)
35
+ * @param salt - Salt aleatorio
36
+ * @returns CryptoKey para AES-GCM
37
+ */
38
+ private deriveKey;
39
+ /**
40
+ * Inicializa el sistema de encriptación generando un nuevo salt
41
+ */
42
+ initialize(): Promise<void>;
43
+ /**
44
+ * Inicializa desde un salt almacenado previamente
45
+ */
46
+ initializeFromStored(): Promise<void>;
47
+ /**
48
+ * Encripta un texto plano usando AES-256-GCM
49
+ * @param plaintext - Texto a encriptar
50
+ * @returns Texto encriptado en Base64 (IV + datos encriptados)
51
+ */
52
+ encrypt(plaintext: string): Promise<string>;
53
+ /**
54
+ * Desencripta un texto encriptado
55
+ * @param ciphertext - Texto encriptado en Base64
56
+ * @returns Texto plano
57
+ */
58
+ decrypt(ciphertext: string): Promise<string>;
59
+ /**
60
+ * Encripta el nombre de una clave para ofuscar nombres en localStorage
61
+ * @param keyName - Nombre original de la clave
62
+ * @returns Nombre encriptado con prefijo __enc_
63
+ */
64
+ encryptKey(keyName: string): Promise<string>;
65
+ /**
66
+ * Limpia todos los datos encriptados del localStorage
67
+ */
68
+ clearEncryptedData(): void;
69
+ /**
70
+ * Verifica si el navegador soporta Web Crypto API
71
+ */
72
+ static isSupported(): boolean;
73
+ private arrayBufferToBase64;
74
+ private base64ToArrayBuffer;
75
+ private arrayBufferToHex;
76
+ }
@@ -0,0 +1,36 @@
1
+ import type { StorageEventType, StorageEventData, EventListener } from '../types';
2
+ /**
3
+ * Simple event emitter for storage events
4
+ */
5
+ export declare class EventEmitter {
6
+ private listeners;
7
+ private onceListeners;
8
+ /**
9
+ * Register an event listener
10
+ */
11
+ on(event: StorageEventType, listener: EventListener): void;
12
+ /**
13
+ * Register a one-time event listener
14
+ */
15
+ once(event: StorageEventType, listener: EventListener): void;
16
+ /**
17
+ * Remove an event listener
18
+ */
19
+ off(event: StorageEventType, listener: EventListener): void;
20
+ /**
21
+ * Remove all listeners for an event
22
+ */
23
+ removeAllListeners(event?: StorageEventType): void;
24
+ /**
25
+ * Emit an event
26
+ */
27
+ emit(event: StorageEventType, data: Omit<StorageEventData, 'type' | 'timestamp'>): void;
28
+ /**
29
+ * Get listener count for an event
30
+ */
31
+ listenerCount(event: StorageEventType): number;
32
+ /**
33
+ * Get all event types with listeners
34
+ */
35
+ eventNames(): StorageEventType[];
36
+ }
@@ -0,0 +1,24 @@
1
+ import { EncryptionHelper } from './EncryptionHelper';
2
+ import type { EncryptedBackup } from '../types';
3
+ import { Logger } from '../utils/logger';
4
+ /**
5
+ * Key rotation utilities
6
+ */
7
+ export declare class KeyRotation {
8
+ private encryptionHelper;
9
+ private logger;
10
+ constructor(encryptionHelper: EncryptionHelper, logger?: Logger);
11
+ /**
12
+ * Rotate all encryption keys
13
+ * Re-encrypts all data with a new salt
14
+ */
15
+ rotateKeys(): Promise<void>;
16
+ /**
17
+ * Export all encrypted data as backup
18
+ */
19
+ exportEncryptedData(): Promise<EncryptedBackup>;
20
+ /**
21
+ * Import encrypted data from backup
22
+ */
23
+ importEncryptedData(backup: EncryptedBackup): Promise<void>;
24
+ }
@@ -0,0 +1,39 @@
1
+ /**
2
+ * Namespaced storage for organizing data
3
+ */
4
+ export declare class NamespacedStorage {
5
+ private prefix;
6
+ private storage;
7
+ constructor(storage: any, namespace: string);
8
+ /**
9
+ * Set item in this namespace
10
+ */
11
+ setItem(key: string, value: string): Promise<void>;
12
+ /**
13
+ * Set item with expiry in this namespace
14
+ */
15
+ setItemWithExpiry(key: string, value: string, options: {
16
+ expiresIn?: number;
17
+ expiresAt?: Date;
18
+ }): Promise<void>;
19
+ /**
20
+ * Get item from this namespace
21
+ */
22
+ getItem(key: string): Promise<string | null>;
23
+ /**
24
+ * Remove item from this namespace
25
+ */
26
+ removeItem(key: string): Promise<void>;
27
+ /**
28
+ * Check if item exists in this namespace
29
+ */
30
+ hasItem(key: string): Promise<boolean>;
31
+ /**
32
+ * Clear all items in this namespace
33
+ */
34
+ clearNamespace(): Promise<void>;
35
+ /**
36
+ * Get all keys in this namespace
37
+ */
38
+ keys(): Promise<string[]>;
39
+ }
@@ -0,0 +1,114 @@
1
+ import { NamespacedStorage } from './NamespacedStorage';
2
+ import type { SecureStorageConfig, ExpiryOptions, IntegrityInfo, StorageEventType, EventListener } from '../types';
3
+ /**
4
+ * SecureStorage v2 - API de alto nivel que imita localStorage con cifrado automático
5
+ * Incluye: configuración personalizable, eventos, compresión, expiración, namespaces, rotación de claves
6
+ */
7
+ export declare class SecureStorage {
8
+ private static instance;
9
+ private encryptionHelper;
10
+ private eventEmitter;
11
+ private keyRotation;
12
+ private logger;
13
+ private config;
14
+ private cleanupInterval;
15
+ private constructor();
16
+ /**
17
+ * Obtiene la instancia singleton de SecureStorage
18
+ */
19
+ static getInstance(config?: SecureStorageConfig): SecureStorage;
20
+ /**
21
+ * Setup automatic cleanup of expired items
22
+ */
23
+ private setupAutoCleanup;
24
+ /**
25
+ * Guarda un valor encriptado en localStorage
26
+ */
27
+ setItem(key: string, value: string): Promise<void>;
28
+ /**
29
+ * Guarda un valor con tiempo de expiración
30
+ */
31
+ setItemWithExpiry(key: string, value: string, options: ExpiryOptions): Promise<void>;
32
+ /**
33
+ * Recupera y desencripta un valor de localStorage
34
+ */
35
+ getItem(key: string): Promise<string | null>;
36
+ /**
37
+ * Elimina un valor de localStorage
38
+ */
39
+ removeItem(key: string): Promise<void>;
40
+ /**
41
+ * Verifica si existe un valor para la clave dada
42
+ */
43
+ hasItem(key: string): Promise<boolean>;
44
+ /**
45
+ * Limpia todos los datos encriptados
46
+ */
47
+ clear(): void;
48
+ /**
49
+ * Limpia todos los items expirados
50
+ */
51
+ cleanExpired(): Promise<number>;
52
+ /**
53
+ * Verifica la integridad de un valor almacenado
54
+ */
55
+ verifyIntegrity(key: string): Promise<boolean>;
56
+ /**
57
+ * Obtiene información de integridad de un valor
58
+ */
59
+ getIntegrityInfo(key: string): Promise<IntegrityInfo | null>;
60
+ /**
61
+ * Crea un namespace para organizar datos
62
+ */
63
+ namespace(name: string): NamespacedStorage;
64
+ /**
65
+ * Rota todas las claves de encriptación
66
+ */
67
+ rotateKeys(): Promise<void>;
68
+ /**
69
+ * Exporta todos los datos encriptados como backup
70
+ */
71
+ exportEncryptedData(): Promise<import("../types").EncryptedBackup>;
72
+ /**
73
+ * Importa datos desde un backup
74
+ */
75
+ importEncryptedData(backup: any): Promise<void>;
76
+ /**
77
+ * Registra un listener de eventos
78
+ */
79
+ on(event: StorageEventType, listener: EventListener): void;
80
+ /**
81
+ * Registra un listener de un solo uso
82
+ */
83
+ once(event: StorageEventType, listener: EventListener): void;
84
+ /**
85
+ * Elimina un listener de eventos
86
+ */
87
+ off(event: StorageEventType, listener: EventListener): void;
88
+ /**
89
+ * Elimina todos los listeners de un evento
90
+ */
91
+ removeAllListeners(event?: StorageEventType): void;
92
+ /**
93
+ * Migra datos existentes no encriptados a formato encriptado
94
+ */
95
+ migrateExistingData(keys: string[]): Promise<void>;
96
+ /**
97
+ * Obtiene información de debug sobre el estado del almacenamiento
98
+ */
99
+ getDebugInfo(): {
100
+ cryptoSupported: boolean;
101
+ encryptedKeys: string[];
102
+ unencryptedKeys: string[];
103
+ totalKeys: number;
104
+ config: Required<SecureStorageConfig>;
105
+ };
106
+ /**
107
+ * Calcula el checksum SHA-256 de un valor
108
+ */
109
+ private calculateChecksum;
110
+ /**
111
+ * Cleanup on destroy
112
+ */
113
+ destroy(): void;
114
+ }