From cc417a9ca81a0c85c82977d7ea15c76d9999b6ba Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Tue, 2 Dec 2025 09:15:24 -0700 Subject: [PATCH 01/21] add wasm rulesengine --- .fernignore | 3 + build.js | 6 + package.json | 1 + src/cache.ts | 4 +- src/index.ts | 1 + src/rules-engine.test.ts | 302 +++++++++++++++++++++++++++++++++++ src/rules-engine.ts | 123 ++++++++++++++ src/wasm/rulesengine.d.ts | 10 ++ src/wasm/rulesengine.js | 210 ++++++++++++++++++++++++ src/wasm/rulesengine_bg.wasm | Bin 0 -> 321328 bytes 10 files changed, 659 insertions(+), 1 deletion(-) create mode 100644 src/rules-engine.test.ts create mode 100644 src/rules-engine.ts create mode 100644 src/wasm/rulesengine.d.ts create mode 100644 src/wasm/rulesengine.js create mode 100644 src/wasm/rulesengine_bg.wasm diff --git a/.fernignore b/.fernignore index e9e36859..8898164f 100644 --- a/.fernignore +++ b/.fernignore @@ -13,7 +13,10 @@ src/events.test.ts src/events.ts src/index.ts src/logger.ts +src/rules-engine.test.ts +src/rules-engine.ts src/version.ts +src/wasm/ src/webhooks.ts src/wrapper.ts tests/unit/webhooks.test.ts diff --git a/build.js b/build.js index 072000dd..784ab0a7 100644 --- a/build.js +++ b/build.js @@ -1,6 +1,7 @@ // build.js const esbuild = require('esbuild'); const { execSync } = require('child_process'); +const { copyFileSync } = require('fs'); const sharedConfig = { entryPoints: ['src/index.ts'], @@ -32,6 +33,11 @@ async function build() { console.log('✅ JavaScript build completed with esbuild'); + // Copy WASM files to dist + console.log('🔧 Copying WASM files...'); + copyFileSync('src/wasm/rulesengine_bg.wasm', 'dist/rulesengine_bg.wasm'); + console.log('✅ WASM files copied'); + // Generate TypeScript declarations with tsc console.log('🔧 Generating TypeScript declarations...'); execSync('tsc --emitDeclarationOnly --outDir dist', { stdio: 'inherit' }); diff --git a/package.json b/package.json index afea1608..f7fbc10d 100644 --- a/package.json +++ b/package.json @@ -61,6 +61,7 @@ "files": [ "dist/**/*.js", "dist/**/*.d.ts", + "dist/**/*.wasm", "!dist/**/*.js.map", "!dist/**/*.test.*", "README.md" diff --git a/src/cache.ts b/src/cache.ts index ea219ef9..57b6b618 100644 --- a/src/cache.ts +++ b/src/cache.ts @@ -71,8 +71,10 @@ class LocalCache implements CacheProvider { value, accessCounter: this.accessCounter, expiration: Date.now() + ttl, - timeoutId: setTimeout(() => this.evictItem(key, newItem), ttl), }; + + // Set timeout after item is created to avoid circular reference + newItem.timeoutId = setTimeout(() => this.evictItem(key, newItem), ttl); this.cache.set(key, newItem); } diff --git a/src/index.ts b/src/index.ts index e35cf866..f98f4df6 100644 --- a/src/index.ts +++ b/src/index.ts @@ -3,6 +3,7 @@ export { LocalCache } from "./cache"; export { SchematicClient } from "./wrapper"; export { SchematicEnvironment } from "./environments"; export { SchematicError, SchematicTimeoutError } from "./errors"; +export { RulesEngineClient } from "./rules-engine"; export { verifyWebhookSignature, verifySignature, diff --git a/src/rules-engine.test.ts b/src/rules-engine.test.ts new file mode 100644 index 00000000..2a8eaeb4 --- /dev/null +++ b/src/rules-engine.test.ts @@ -0,0 +1,302 @@ +import { RulesEngineClient } from './rules-engine'; + +// Mock data using realistic test data structures +const mockFlag = { + id: 'test-flag', + account_id: 'account-123', + environment_id: 'env-123', + key: 'test-feature', + default_value: false, + rules: [ + { + id: 'rule-1', + account_id: 'account-123', + environment_id: 'env-123', + name: 'Basic Access Rule', + rule_type: 'plan_entitlement', + priority: 100, + value: true, + conditions: [ + { + id: 'condition-1', + account_id: 'account-123', + environment_id: 'env-123', + condition_type: 'trait', + operator: 'lte', + resource_ids: [], + trait_value: '10' + } + ] + } + ] +}; + +const mockCompany = { + id: 'company-123', + account_id: 'account-123', + environment_id: 'env-123', + base_plan_id: 'plan-pro', + billing_product_ids: [], + crm_product_ids: [], + keys: { + id: 'company-123', + slug: 'test-company' + }, + plan_ids: ['plan-pro'], + metrics: [], + credit_balances: {}, + subscription: { + id: 'sub-123', + period_start: '2023-01-01T00:00:00Z', + period_end: '2023-02-01T00:00:00Z' + }, + traits: [], + rules: [] +}; + +const mockUser = { + id: 'user-456', + account_id: 'account-123', + environment_id: 'env-123', + keys: { + id: 'user-456', + email: 'test@example.com' + }, + traits: [], + rules: [] +}; + +const mockRule = { + id: 'test-rule', + account_id: 'account-123', + environment_id: 'env-123', + name: 'Test Rule', + rule_type: 'plan_entitlement', + priority: 100, + value: true, + conditions: [ + { + id: 'condition-2', + account_id: 'account-123', + environment_id: 'env-123', + condition_type: 'trait', + operator: 'eq', + trait_value: 'pro' + } + ] +}; + +describe('RulesEngineClient', () => { + let rulesEngine: RulesEngineClient; + + beforeEach(async () => { + rulesEngine = new RulesEngineClient(); + await rulesEngine.initialize(); + }); + + describe('Initialization', () => { + test('should initialize successfully', async () => { + const engine = new RulesEngineClient(); + await engine.initialize(); + expect(engine.isInitialized()).toBe(true); + }); + + test('should not reinitialize if already initialized', async () => { + expect(rulesEngine.isInitialized()).toBe(true); + // Should not throw + await rulesEngine.initialize(); + expect(rulesEngine.isInitialized()).toBe(true); + }); + + test('should throw error when using methods before initialization', async () => { + const engine = new RulesEngineClient(); + expect(() => engine.getVersionKey()).toThrow('WASM rules engine not initialized'); + }); + }); + + describe('Version Information', () => { + test('should return version key', () => { + const version = rulesEngine.getVersionKey(); + expect(version).toBeDefined(); + expect(typeof version).toBe('string'); + expect(version.length).toBeGreaterThan(0); + }); + }); + + describe('Flag Checking', () => { + test('should check flag with company and user context', async () => { + const result = await rulesEngine.checkFlag(mockFlag, mockCompany, mockUser); + + expect(result).toBeDefined(); + expect(typeof result).toBe('object'); + expect(result).toHaveProperty('value'); + expect(result).toHaveProperty('reason'); + expect(result).toHaveProperty('rule_id'); + }); + + test('should check flag with only company context', async () => { + const result = await rulesEngine.checkFlag(mockFlag, mockCompany); + + expect(result).toBeDefined(); + expect(typeof result).toBe('object'); + }); + + test('should check flag with only user context', async () => { + const result = await rulesEngine.checkFlag(mockFlag, undefined, mockUser); + + expect(result).toBeDefined(); + expect(typeof result).toBe('object'); + }); + + test('should check flag without context', async () => { + const result = await rulesEngine.checkFlag(mockFlag); + + expect(result).toBeDefined(); + expect(typeof result).toBe('object'); + }); + + test('should handle invalid flag JSON', async () => { + const invalidFlag = { id: 'test', invalid_field: undefined }; + + // Should reject invalid data structures that don't match the expected schema + await expect(rulesEngine.checkFlag(invalidFlag)).rejects.toThrow(); + }); + + test('should return consistent results for identical inputs', async () => { + const result1 = await rulesEngine.checkFlag(mockFlag, mockCompany, mockUser); + const result2 = await rulesEngine.checkFlag(mockFlag, mockCompany, mockUser); + + expect(result1).toEqual(result2); + }); + }); + + describe('Rule Evaluation', () => { + test('should evaluate rule with company and user context', async () => { + const result = await rulesEngine.evaluateRule(mockRule, mockCompany, mockUser); + + expect(typeof result).toBe('boolean'); + }); + + test('should evaluate rule with only company context', async () => { + const result = await rulesEngine.evaluateRule(mockRule, mockCompany); + + expect(typeof result).toBe('boolean'); + }); + + test('should evaluate rule without context', async () => { + const result = await rulesEngine.evaluateRule(mockRule); + + expect(typeof result).toBe('boolean'); + }); + + test('should handle complex rule conditions', async () => { + const complexRule = { + ...mockRule, + conditions: [ + { + id: 'condition-3', + account_id: 'account-123', + environment_id: 'env-123', + condition_type: 'trait', + operator: 'eq', + trait_value: 'pro' + }, + { + id: 'condition-4', + account_id: 'account-123', + environment_id: 'env-123', + condition_type: 'trait', + operator: 'gte', + trait_value: '1' + } + ] + }; + + const result = await rulesEngine.evaluateRule(complexRule, mockCompany, mockUser); + expect(typeof result).toBe('boolean'); + }); + + test('should return consistent results for identical rule inputs', async () => { + const result1 = await rulesEngine.evaluateRule(mockRule, mockCompany, mockUser); + const result2 = await rulesEngine.evaluateRule(mockRule, mockCompany, mockUser); + + expect(result1).toBe(result2); + }); + }); + + describe('Error Handling', () => { + test('should handle malformed JSON gracefully', async () => { + // Test with circular reference (should be handled by JSON.stringify error) + const circularFlag = { ...mockFlag }; + (circularFlag as any).self = circularFlag; + + await expect(rulesEngine.checkFlag(circularFlag)).rejects.toThrow(); + }); + + test('should provide meaningful error messages', async () => { + try { + await rulesEngine.checkFlag(null as any); + } catch (error) { + expect(error).toBeInstanceOf(Error); + expect((error as Error).message).toContain('WASM flag check failed'); + } + }); + }); + + describe('Performance', () => { + test('should handle multiple concurrent operations', async () => { + const promises = Array.from({ length: 10 }, (_, i) => + rulesEngine.checkFlag({ ...mockFlag, id: `flag-${i}` }, mockCompany, mockUser) + ); + + const results = await Promise.all(promises); + expect(results).toHaveLength(10); + results.forEach(result => { + expect(result).toBeDefined(); + expect(typeof result).toBe('object'); + }); + }); + + test('should complete operations within reasonable time', async () => { + const start = Date.now(); + + await rulesEngine.checkFlag(mockFlag, mockCompany, mockUser); + + const duration = Date.now() - start; + expect(duration).toBeLessThan(100); // Should complete within 100ms + }); + }); + + describe('Memory Management', () => { + test('should handle large datasets without memory leaks', async () => { + const largeCompany = { + ...mockCompany, + traits: [ + // Add many traits to test memory handling + ...Array.from({ length: 1000 }, (_, i) => ({ + value: `value_${i}`, + trait_definition: { + id: `trait_${i}`, + comparable_type: 'string', + entity_type: 'company' + } + })) + ] + }; + + // Should complete without throwing memory errors + const result = await rulesEngine.checkFlag(mockFlag, largeCompany, mockUser); + expect(result).toBeDefined(); + }); + }); +}); + +describe('Module Exports', () => { + test('should export RulesEngineClient as named export', () => { + expect(RulesEngineClient).toBeDefined(); + expect(typeof RulesEngineClient).toBe('function'); + }); test('should export default export', async () => { + const { default: DefaultExport } = await import('./rules-engine'); + expect(DefaultExport).toBe(RulesEngineClient); + }); +}); \ No newline at end of file diff --git a/src/rules-engine.ts b/src/rules-engine.ts new file mode 100644 index 00000000..8473ebbc --- /dev/null +++ b/src/rules-engine.ts @@ -0,0 +1,123 @@ +import { RulesEngineJS } from './wasm/rulesengine.js'; +import { readFileSync } from 'fs'; +import { join } from 'path'; + +/** + * High-performance rules engine for flag evaluation and rule processing. + * + * This engine provides significant performance improvements over traditional JavaScript + * implementations by leveraging compiled Rust code running in WebAssembly. + */ +export class RulesEngineClient { + private wasmInstance: RulesEngineJS | null = null; + private initialized = false; + + constructor() {} + + /** + * Initialize the WASM rules engine. + * Must be called before using any other methods. + */ + async initialize(): Promise { + if (this.initialized) { + return; + } + + try { + // Initialize the WASM module + this.wasmInstance = new RulesEngineJS(); + this.initialized = true; + } catch (error) { + throw new Error(`Failed to initialize WASM rules engine: ${error}`); + } + } + + /** + * Check a feature flag using the WASM engine. + * + * @param flag - The flag configuration object + * @param company - Optional company context + * @param user - Optional user context + * @returns Promise resolving to the flag check result + */ + async checkFlag( + flag: any, + company?: any, + user?: any + ): Promise { + this.ensureInitialized(); + + try { + const flagJson = JSON.stringify(flag); + const companyJson = company ? JSON.stringify(company) : undefined; + const userJson = user ? JSON.stringify(user) : undefined; + + const resultJson = this.wasmInstance!.checkFlag( + flagJson, + companyJson, + userJson + ); + + // The WASM function returns a JSON-encoded string, so we need to parse twice + const jsonString = JSON.parse(resultJson); // First parse to get the actual JSON string + return JSON.parse(jsonString); // Second parse to get the object + } catch (error) { + throw new Error(`WASM flag check failed: ${error}`); + } + } + + /** + * Evaluate a rule using the WASM engine. + * + * @param rule - The rule configuration object + * @param company - Optional company context + * @param user - Optional user context + * @returns Promise resolving to boolean indicating if rule matched + */ + async evaluateRule( + rule: any, + company?: any, + user?: any + ): Promise { + this.ensureInitialized(); + + try { + const ruleJson = JSON.stringify(rule); + const companyJson = company ? JSON.stringify(company) : undefined; + const userJson = user ? JSON.stringify(user) : undefined; + + return this.wasmInstance!.evaluateRule( + ruleJson, + companyJson, + userJson + ); + } catch (error) { + throw new Error(`WASM rule evaluation failed: ${error}`); + } + } + + /** + * Get the version key of the WASM rules engine. + * Useful for debugging and compatibility checking. + */ + getVersionKey(): string { + this.ensureInitialized(); + return this.wasmInstance!.getVersionKey(); + } + + /** + * Check if the engine is initialized. + */ + isInitialized(): boolean { + return this.initialized; + } + + private ensureInitialized(): void { + if (!this.initialized || !this.wasmInstance) { + throw new Error('WASM rules engine not initialized. Call initialize() first.'); + } + } +} + +// Export for backward compatibility +export { RulesEngineClient as default }; \ No newline at end of file diff --git a/src/wasm/rulesengine.d.ts b/src/wasm/rulesengine.d.ts new file mode 100644 index 00000000..4ab1f4d8 --- /dev/null +++ b/src/wasm/rulesengine.d.ts @@ -0,0 +1,10 @@ +/* tslint:disable */ +/* eslint-disable */ +export class RulesEngineJS { + free(): void; + [Symbol.dispose](): void; + checkFlag(flag_json: string, company_json?: string | null, user_json?: string | null): string; + evaluateRule(rule_json: string, company_json?: string | null, user_json?: string | null): boolean; + getVersionKey(): string; + constructor(); +} diff --git a/src/wasm/rulesengine.js b/src/wasm/rulesengine.js new file mode 100644 index 00000000..ee2f4f99 --- /dev/null +++ b/src/wasm/rulesengine.js @@ -0,0 +1,210 @@ + +let imports = {}; +imports['__wbindgen_placeholder__'] = module.exports; + +let cachedUint8ArrayMemory0 = null; + +function getUint8ArrayMemory0() { + if (cachedUint8ArrayMemory0 === null || cachedUint8ArrayMemory0.byteLength === 0) { + cachedUint8ArrayMemory0 = new Uint8Array(wasm.memory.buffer); + } + return cachedUint8ArrayMemory0; +} + +let cachedTextDecoder = new TextDecoder('utf-8', { ignoreBOM: true, fatal: true }); + +cachedTextDecoder.decode(); + +function decodeText(ptr, len) { + return cachedTextDecoder.decode(getUint8ArrayMemory0().subarray(ptr, ptr + len)); +} + +function getStringFromWasm0(ptr, len) { + ptr = ptr >>> 0; + return decodeText(ptr, len); +} + +let WASM_VECTOR_LEN = 0; + +const cachedTextEncoder = new TextEncoder(); + +if (!('encodeInto' in cachedTextEncoder)) { + cachedTextEncoder.encodeInto = function (arg, view) { + const buf = cachedTextEncoder.encode(arg); + view.set(buf); + return { + read: arg.length, + written: buf.length + }; + } +} + +function passStringToWasm0(arg, malloc, realloc) { + + if (realloc === undefined) { + const buf = cachedTextEncoder.encode(arg); + const ptr = malloc(buf.length, 1) >>> 0; + getUint8ArrayMemory0().subarray(ptr, ptr + buf.length).set(buf); + WASM_VECTOR_LEN = buf.length; + return ptr; + } + + let len = arg.length; + let ptr = malloc(len, 1) >>> 0; + + const mem = getUint8ArrayMemory0(); + + let offset = 0; + + for (; offset < len; offset++) { + const code = arg.charCodeAt(offset); + if (code > 0x7F) break; + mem[ptr + offset] = code; + } + + if (offset !== len) { + if (offset !== 0) { + arg = arg.slice(offset); + } + ptr = realloc(ptr, len, len = offset + arg.length * 3, 1) >>> 0; + const view = getUint8ArrayMemory0().subarray(ptr + offset, ptr + len); + const ret = cachedTextEncoder.encodeInto(arg, view); + + offset += ret.written; + ptr = realloc(ptr, len, offset, 1) >>> 0; + } + + WASM_VECTOR_LEN = offset; + return ptr; +} + +function isLikeNone(x) { + return x === undefined || x === null; +} + +function takeFromExternrefTable0(idx) { + const value = wasm.__wbindgen_externrefs.get(idx); + wasm.__externref_table_dealloc(idx); + return value; +} + +const RulesEngineJSFinalization = (typeof FinalizationRegistry === 'undefined') + ? { register: () => {}, unregister: () => {} } + : new FinalizationRegistry(ptr => wasm.__wbg_rulesenginejs_free(ptr >>> 0, 1)); + +class RulesEngineJS { + + __destroy_into_raw() { + const ptr = this.__wbg_ptr; + this.__wbg_ptr = 0; + RulesEngineJSFinalization.unregister(this); + return ptr; + } + + free() { + const ptr = this.__destroy_into_raw(); + wasm.__wbg_rulesenginejs_free(ptr, 0); + } + /** + * @param {string} flag_json + * @param {string | null} [company_json] + * @param {string | null} [user_json] + * @returns {string} + */ + checkFlag(flag_json, company_json, user_json) { + let deferred5_0; + let deferred5_1; + try { + const ptr0 = passStringToWasm0(flag_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + const len0 = WASM_VECTOR_LEN; + var ptr1 = isLikeNone(company_json) ? 0 : passStringToWasm0(company_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + var len1 = WASM_VECTOR_LEN; + var ptr2 = isLikeNone(user_json) ? 0 : passStringToWasm0(user_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + var len2 = WASM_VECTOR_LEN; + const ret = wasm.rulesenginejs_checkFlag(this.__wbg_ptr, ptr0, len0, ptr1, len1, ptr2, len2); + var ptr4 = ret[0]; + var len4 = ret[1]; + if (ret[3]) { + ptr4 = 0; len4 = 0; + throw takeFromExternrefTable0(ret[2]); + } + deferred5_0 = ptr4; + deferred5_1 = len4; + return getStringFromWasm0(ptr4, len4); + } finally { + wasm.__wbindgen_free(deferred5_0, deferred5_1, 1); + } + } + /** + * @param {string} rule_json + * @param {string | null} [company_json] + * @param {string | null} [user_json] + * @returns {boolean} + */ + evaluateRule(rule_json, company_json, user_json) { + const ptr0 = passStringToWasm0(rule_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + const len0 = WASM_VECTOR_LEN; + var ptr1 = isLikeNone(company_json) ? 0 : passStringToWasm0(company_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + var len1 = WASM_VECTOR_LEN; + var ptr2 = isLikeNone(user_json) ? 0 : passStringToWasm0(user_json, wasm.__wbindgen_malloc, wasm.__wbindgen_realloc); + var len2 = WASM_VECTOR_LEN; + const ret = wasm.rulesenginejs_evaluateRule(this.__wbg_ptr, ptr0, len0, ptr1, len1, ptr2, len2); + if (ret[2]) { + throw takeFromExternrefTable0(ret[1]); + } + return ret[0] !== 0; + } + /** + * @returns {string} + */ + getVersionKey() { + let deferred1_0; + let deferred1_1; + try { + const ret = wasm.rulesenginejs_getVersionKey(this.__wbg_ptr); + deferred1_0 = ret[0]; + deferred1_1 = ret[1]; + return getStringFromWasm0(ret[0], ret[1]); + } finally { + wasm.__wbindgen_free(deferred1_0, deferred1_1, 1); + } + } + constructor() { + const ret = wasm.rulesenginejs_new(); + this.__wbg_ptr = ret >>> 0; + RulesEngineJSFinalization.register(this, this.__wbg_ptr, this); + return this; + } +} +if (Symbol.dispose) RulesEngineJS.prototype[Symbol.dispose] = RulesEngineJS.prototype.free; + +exports.RulesEngineJS = RulesEngineJS; + +exports.__wbg___wbindgen_throw_b855445ff6a94295 = function(arg0, arg1) { + throw new Error(getStringFromWasm0(arg0, arg1)); +}; + +exports.__wbindgen_cast_2241b6af4c4b2941 = function(arg0, arg1) { + // Cast intrinsic for `Ref(String) -> Externref`. + const ret = getStringFromWasm0(arg0, arg1); + return ret; +}; + +exports.__wbindgen_init_externref_table = function() { + const table = wasm.__wbindgen_externrefs; + const offset = table.grow(4); + table.set(0, undefined); + table.set(offset + 0, undefined); + table.set(offset + 1, null); + table.set(offset + 2, true); + table.set(offset + 3, false); + ; +}; + +const wasmPath = `${__dirname}/rulesengine_bg.wasm`; +const wasmBytes = require('fs').readFileSync(wasmPath); +const wasmModule = new WebAssembly.Module(wasmBytes); +const wasm = exports.__wasm = new WebAssembly.Instance(wasmModule, imports).exports; + +wasm.__wbindgen_start(); + diff --git a/src/wasm/rulesengine_bg.wasm b/src/wasm/rulesengine_bg.wasm new file mode 100644 index 0000000000000000000000000000000000000000..c9038c629b4504459fcb5a22ca0e7056d873f1b0 GIT binary patch literal 321328 zcmd?S3%p)Mb@#t7&;4@pQ zi{t9vaqQ;6EYbpmsOf_oMRAUVqHDa{brX}q^YFhr^-b;p%HcV)1H=DhNm* zHClZue+wj#QdB@#vXF?S^F9c!E&DVQRo$)E1|(Z`x2DB-PRkKfO}CPl9Jg9a6tK#! z4OHmbfJ&^Q*IXOjA~-5!w;!waRti=9^R0@P{7afuB_u?uoDSSVOXMJ>Kxhr#s_HUm zeVf^nH65;|?dTI>JolPwUiZ>h-SF~PF1_KJ8<$=8vZdF*X4%V^uDIr!^Yr4C*Yvzz zdHsslyzZKpUi{2wUU=a%U-62C*FEdPXFThfK`?Cuy?k%`={H;nQEb@VZxA__7OM`iy5?`1D|Iyryt_p%4U> zYOx&6ET38^R8E89GYiE^5XM1R=3NlZj0(gGQ5;mOK_L!Anv&gNVLQn|{jbcdYLKzk+1mP^oikX6Nwgo|<5Qc@Yss{AKE%nmE% zpil{eN)WWdau}A2VQ|K*FenB=F)G(WKnjYrkjM0gj6qHDGlOz5B5d&=kbyJ^%3+J{ zq(3DZpj@F?D8_M+6oYm|KY}O(;BvWAh~~^GN0clC1=SOEzy$>g{3D{Ds8|f6s8RwM zk$%ELT#w@@C`Dn(|J1=!kj4qa$l^Y0K5&b%cVo{yC)gLlNf!a-f zc%-N2Ml+&XIAcZ>&@he1)Ix@^P>A^jWl@b+p}|Li-k&HO2$fQ&hspxo(jT6HVPK$8 zs7E)3Yx#XmFcua8eP*f3m~dlb<3YXr-NMPGS1*0_YgW8I@_hQrYgW8=+0vVq-tfv- z-LQ1zrfXiYV(HT0o~Zh=>zBT4bn&w5UK!LIOIKaD?6udeT>6{j3{HB+E0?bPwb!m# zvGj(O&tJN7#j9R+)zTHOdd8Dc;=%s6RR1Dh`;|*yA8d(d_P@Si>Fa_6adYKTM8PXwd&A2NQ+E_j z>JbyUaJeZAXZEDO`nqMyUh}fxzoJ<^i7S@+)HlbcUNccFUGwtvKkG>QAL-bgQ1Ao^bP z#`vqzy7*xHgZQ5K*5w}y|1A7s{7=yj!w<#VqUi4EGx6u+m%JtZi|AwVN8-PU?u*_U zemMGQ{P)q@!w*Hf;zQ9F;(w0c7ym)@=i!0yX#AsiNBnp3q4=Zm-e_ZZZ}g@3*@wf! z@xRmSFULO!7k)i@EZ!0}qCX02|2EdTz3?BGgy*e3D{!0Q(N27Jki@Ps;sQ4w9IXdQ zFci&epRHhS`y2&x+KGZzyRD$nK374deV&3syQ3gzpA{`iqQasiOd?lWIntg_r8|R> z_E5YiiHFDd84oUsZcgGPTo^6m<#@0#x>1jA(P)RXmB7;)?Nk7#k_;`38U%u?GiPB` zNh*p(w3qNF7M ztg+NUX)*B(?bw>?k6oc0_At@h~(8tpR_RN7}ks`C~`>tn)m z7e*Ttp0hC8sPOEC(cKD@g+|~u#N?^t>3f!uJ2}&B{MObDg^|vTh0)c#J;VLsn;w2s zd8AWV2wLLgboZgPN551U?GzVA&*OQH`^L_#e?wk7z7^c zR9o)}DMHD03MsKxAuX*@NDE_xL(y2=o}q9}+%70w8@G!J*TwA;`HlrXbqZ>l5U|uJ z7-`^gkus?Yz;MLC7y?J_nyTFpw~b00<90*OcgO7}rKrlVMO}tHDl=?Sn_;);&oXF)-V#XDW+Hy69a6H zt-DifZA`JXA;s4E6T#N8z&t*-*8iWt)?9b+ec!$>8qKhEio5NjZ{85**gDyL@(&*R z^JpaFxs%+de)^%UU=#Q+w;|t)t$R{zZB4PYImOndCm&mz{!d_QwmbZ{KYlwSGUcsV z?)JOy{Be0S8=*7Z*Z=LUf8OP-mRt9y>mOqVnG#z&QfzHcv2|~Xt!){$Yy>hAZ3HqB z8G$wu%M6iY@mAT7L>kpdOr-^5s5=t3ohY`>L|{m6oq@nmcsc?@A=AZ}!g=XPMeN&1 zJuMxnr=}xyt{p?DAE_t#kviLhIm?4N(+iB2mt}`wxj8w1z0)vqDDndLaO5TK zkw_wUC^{NRW+n96ga+L!JHtKn ziM##_IZEXcYp1(ipZc3kz(}JLh5o-`GRr-=;W-ADlOmJy_*1Ktt;!8(RAVQLDJ z+B6GEZJvdsHqk;-X4?N2N$0tL*}M5)AW=%vLHE8lefcZQt|>{G2fp&a_q-$%e5bm9 z{KH2+#@L>cr2A5m?oCO$Cnf3bC!eIdPn4vP%t#8!jHHmvND9fuL{dm*B!y;1Qix_G zg=$7p$R?6PHjxyviKGm8krZ~(xPV(kQkcb1HVsKltAeDaRzXtJs~{6ehAA8rGJWol|M^lm>Oi6kmCF%Yr zpQQUwl%$Z%ND9e}q>#)=3dzPqQb=Ybg=R)lh-M^(YDQAXCXzxnkrc9tqzrM96m}6w z;TDk;W)Vr@l_^JQOM(`XnidU7O^t@6=+XZzlFoK-KKS@fX2_JJv)soY{`QyAM^ci` zbYFVtuNLNVx8=V7<;{PNdNL(NkERqol2Y_=O3_14K1C0mC`F-|Q51?9MWL8c6pD>K zc@ydsa@W=_Ps&t!=iB%FU03d&>9#-csHXFjqG!0H-}ulEki+>@`nGrNe6+@`iZx1{V-EyO48HZmw$Bl zUr~colAh{*`reN{ikzO3q<5zz-I$VeLrT*1Pd-W4pD0Ox0jAP#ePHZ|Or7~u`jHR+ z@qN8h>G~gh=|_I$V)KG~c;6Qudy`6NXNKQWuaFThm#{SV&z z7*l6HmF|1&Pd?W>mHu?YXTBBWqqOA?jlb`X>E_ZMDM`1dB)vB!>9!}Iq}xuEq`v@j z=^x+zw$FQOjC8d#-P*km|0~b=T)OL@|NL*6Tl2Z}BR_uNJ=ngc9HqNblI~1N`d~`Z z@h6|8<0neeUx2yv!|yz_6B4DPbkKcv&v*W#cUk(y4Ug^XU6wxft&iW&+&d*n_oXD= zo04=-O48j=K1p|L|H&um{u3qXFTh-S*Vvk$puy5pk#v@O`+Gn6FzQietaNYM z{?4^n7BZ`)d&^t?b{FcAnJ?!gJ(~#RumvA)Y{5s3w&0_tF&2D75oXOf>FU~6*{rT@ zmCfp!RrWCrz0@J-XhKVPT9B%SY4-ADR&w?TJCrk%b4J*qY$fN8uqQbuId6nLNxvO4 zkg84C50VkKFM$LTLVKj$Run5jXQbUx6hp#UBki-2Fqyx^cGUvyX3a|iZEnpaU{h!g z0ef04f^)Sm8E7M{Lck7Jfq)$@wgcHrWm|AY-R*qz{=hxOZ%w)FdN|CV)?HChzxOF& zP5Z99F}_A;2NBz)Y_WBU+BelETM0Od?C`0TFe$ml2n|Jxy1z+j0o#TZvJ8|0d2AHJ zI{S=k!x3^9Mq2NVv_HBo#HvoXHf$Ffg?ds_-9-fjtg}=Rx62BmHjOL@!gkzt5!PLy9d|)HR?N+|b~?Z~N(=Gx2i@c0a`j@i??tIxsn+U^=D>{B z%vrPRt_Vo8>aIjEv+l|St-7lafZr;?K;6{{nsrwvXw+SUpk8-Pf?C}T5LD}K20^9n zS_I{~n@LcryIBOqx|>Z(CWFL{w%j6P3%C1TjH)Ne~gl zmjod}<&q$vL~q|k$wH@6SQM>RH0YGhhh(t}enWf2>bErk+TC-OYxl#Qxg4q#*fmdz zD|o!-`OV-oLpB*;htkRwWGj-R!4`4sZoES83vSj*d}$5^%at|Gv#tOkNlE+6>_NIS zpJ$C$M_uuXWe!vLxQXS6Djp1$G@)+f=;7wj_{D`I?V<}#l)Sy&C%!s= zPGf9dhl`saRG28Z`&K`%S%?-X759T~cKQ@t4!q(s;igIgxG57{b0xr*g`(<;c3I3= z5GH*z>wncyrBXLuK{ZthfHCqw(sCcV3PP7kp&GIdzDjmx4)=Iy=h6q_za^T9l#Fa8^wD zsWuhPYC-~XAj26^@(agF&2XkthO-(#d7Qy2Jvbw~v6yAgaF(*o1eiOFACZ>-_x!;F zLF?1<$2cL(w#5`6t_Q!T_2c){3HVLwP%Gy)aPss01?+Q12VV4)KtI0}1W!|VK@dDW z2%hm&#RHRGK@ssqyeenGT!`80V9rS=pECE<(@qKo=be7WnL*O-oOSj&=bkq-|9r3# zIkqa39(p^a-8t~=a9h||WbvBCpCj_)$l{Pbe-jd}iPCi3XOK_K7H&VtmcZ)CWEH_d zg~qSeyBXK7o0zen$}HcnOlqiP4P81Z{R~Tg_N4U0(l42m-m&y&S*KbSzeq4e9{BM| zFs-o$45*7HRd%*ju&}37dyiGYGbdFr%PP2VQu@i3{>zin=UDnPdK$cYeTGG7=+^Vp zdYM7{^ofNHyNwI1=ku(dr&_#W@dXyISp0m|kKc#Lxwo(WUETW6pIHAIkItv4qA24J zpEiF|-gB*?$?2ZYh9>3r0H4=awmHs`SWnC0$~x-#1Q7=!&bNwA$@8SJA9zcS zHt+-5PO;pcs3%Fx{v=r3oJ|cAgz})Kjo9s=D=u#Rb=+ju;`u&3M|wtIr0l}z!O$d) zCa}mo2xo`9#kY>939^dj%wbOTgziCVYJCFj)7@$8A@y?}nh3$%cCj&s%+jau3b7R* zdhK`^E$aSKa0k0g_l4*Orjl5byMqzI8LehIAw9IoI8wAbFDt+1Wp_9OVJN!Vw|o^7 zal!ra=z#pAi&0bx1@i>doT+*75zuBYCv@^;!>=Fx>ahBN!$Z~wd>{-j+viEFOOK#8%p&8RUS4I` zeFBhOd<@7obRoOcw|X&<%@kx8WRUgbxzOjiAcw3a$ox=Hcb*{5aOgAMoDyl9yP!SK zH+wmt%@AmdMy*)rdh$Hi=UJ44Ca26h{Scq^#6jDCEYR-lg7$LX?6rW_6liJCKP4ccQGm55Fd(=l$PgQ~6Vk+A6Z6>^nvhTUoS4sg zF(IF|J3%~^RCYod>zGMtDEyPsQ1B)W~;VzrArrB{nKomu5_8DU6kdt_1dI0Zfxr{WsEIj++FBqi#ET|W&KdZM1*+& z1kgQ*=FBdzf|a?ZtSg#P#EeWFpffTz6uqWo zm@A5ybx+K?h>4L)M-<4jU~#)D`qVu!>mnwzjuDeLVA=X>l;c_Ks{Ut`bm6KtGP)>3 z5)72YqaN89>tGB&5FmaJP1kg3N`9j#fha02NlH0IX*$vZppT*~bD^lR8AWAYA=?5n zF_O!oSs)8mAi#qpnvbZsCN*55o7HCIQsVz(W~D30A$B8YW+>rFObgy$)LyLPbd`_%%ufH@3!nNTW1D=8R# zEoDJa!c_PTjV8$bQ$h~N(A<565x4cb<3Z~Z_}G+wpvT8V?>4fr@#(1E4(Y4T+1%{S zmK>=Glr>Dk1;Jc1wOtb6q$nEFc-Z2^v6@FP|81%@ zh4}6W2(ZvvOJ=cwWAxtU0}eUxUgCNv+Qiy^pW@(quR=iH)8EFAvNmFOyVU`MQZj1; z%lS_F{AM+2I&SPiSyBLvmQ9Cy(xwio37F&n#?2HY&Q9#_Z!qsvT2pVQW+H1q&xFqO zv~VPC;jltFb?Df2FX`zFM(n7kGw1Nqaau_Y;Zr)b4j6+tlB$q)E2pAdVp(tp*&}TY zjbxY~!+|q~qZb0Z5gJx#icmAQAY**u=7^1x^kp9l;~Gga6%7fWa2&Ep1n4ZqS z7TXF*;>N|D3cjUVg?uzj0i7sevl5UL_OMA0B2C$orhs%PNIKXc>eP%hg?z}fIAqX^ zG-VHx1}U^4M^X4M`5Ge0U^ga9jxifj#}8kQ=Xsu4}Yo@l)Y zS=@vQ^ks@}Z&%0opLhG--fnNB14*ql7BNE_8{`u0?kE*$utdd0CKa3(PAoOzTn#j( z74^O+g)=VXSzGAlS#K#Dds4KJh}_n03Jk&!zbJmOm}x#E@}k(Lf8t|>i{gzifYR3! zUz^4^5x-f9dvzKta#}b=ZhL>7+sJgi^nu1nY&d0ng6>4tZS1rCIP$9}w*UL2FxyR2 z3f#+@Z0+R|cdY~n5|^#gC?h!As8PleY*pszn|tEhdg42J;yZidJrZ^eQv9J%`zxMC zCo@@~v02jA?Uyq{*vzS+6tNT)V6%dYUmW^c0r-<;jkY+scsZ%|N^z!2mT&8kYG zdZTtIRqN&nz5k(lU-Mwt#C;;YpVb3~+uYOpd(vjNrp<2Fj;Na5Hlf+WYIeXkYeuXS zX?A9Bv)g)_-JUjkZ`$lO?Z6^>${CISLddTA=FBiCk*I|RTNO6OI|Xq`5z&S6%*2A8 z4Hl(i6Dzb{NGEJIVMJ;+VZTZec_`X3pK_IlQ(Y+| zm~Eh2*SoE*sfIzb2lBou>A94&qf(WH$=zvBOqqipcWNJ85bl`(#{B}L<-4STW0Ti( zl(NAnHMyT!ud|w`g16BJZ%^AavFLsR_eS|0Tg$^l+Mqq>HY1 z(pO`aTFNXniCy}-E@r0p0;JPK;@XtM-woYqMuLAGv&4Sua(9R??$kB^+LXj!d^wnQ z)pMIaHd5k{xd!BN`H)s08t$D&+GGlNI^f@nxT7PigxaWO*p19q!}Lb&_w?7kncBw+ z8Z6y$ytrff0OYX}+xtswqXbHl24GVL`;tosU~jAPa?q<(6ij%f#~CuaZEZr4M8_J?xJbuDRvpVN4|&G#i#sKcNv2e4+udK=PHNj`!#>h+d}$eWIlx$` z^t7ssZx(kV5l?B& zq|rJ>Gj+)uF*kvNN5s{{U}#?n~E>uo86hf+!E_7kBZJZ@A`I^Sm% zk!Ayc&;YTq+9S3fqOTgwmznz&TzNNZSq+^MW&u~obT2xFe^0UJ5kH@}|8bgbi>okX zF_ydHP&SJmk<=qwlaehfy5hAvPL?DU|4wtrBVGXH6K_)V?=)|w?{ZxL`=|*QP37sk zTwO`({#~kGcwr*^_GnT`)8~;QMES0cIie+f*xF{ETJB!sQFu4w6gO@u@NS;6%TnOo zJY}z?z`I#WG6VapxD;a=YaY{c&~nA8aPLJC2O=zfgfY84jUU8hi_5j8?|<1S0l9Ck!yFyZ{WLOiPuE2Pbx)QvB&#kW)ULCh{JXH3v*eNoi1 z&ab&PM?%w~_L3E3Da&w2a)7Nc#Vn=IbfCt&69WqMLeBJVn>{ zq^RkqjpjZ2mJzwm}*(In9 z7!cIVkA5DpX{3j+hQ2B2XrkQHx(BV9Lcn+rSS1^yq%4vI;&A!)p~%}ZJYew_w|=6> zE@4>EV^I^q#|ttC?mH_gdvo9>ouOyJU$jM}7T9U;i?*$XA>FQ)iOHe$dT>#EEqM=X zPfJVU7IVISwGFUR){`K%Cv)d4x}!NV@&237RWc3KgwPlHzwd9-*doiLR+6PsG2q@Z z=!kV1ih%OpONxG1j-b+x8oyh27c-Tx4sg%XFkKMbhMqGzFz1xw+ zS!nzY)|1P~Q+WOgW67kDo2s7bkpx2^6#AvkA}$E+xQs_E$h^$l?m?*RPU-|Lk)J@ShzI2$^8- zSIErzfI=qpPZ3%P{AeG{;yBZOT5;TniN@?~MJD7vTgzw$4bdz2ezmO@YK^7)+8k+ zeZ6=>U+G+LUx$19I)U7xYEd31;=JDx6UftqV3DUditgw@j59k5gE60FM9_PdzO4Cl z@zh4`T-CWcOq6dRNm6E#?u!t^`3j07{lcN>a&KQH_Pm5E#>k7T(uoM9A}1mm7x%XF z`ffW+`OyLL;KOLS7(C8Rc} zCzp~M*GlMC{3ga|iXLj7|AcDBDYU<45@Hu!(L7JfjL;=3*tAMbq5)3;`0YSiWQj>! zdy(^HD*q72GfP={8LRPk>(NM9q*dI%y^8wP$3X}=Q8p#fr1ZaiZ!@J`9@p6 zo)e!wO%`3xq=ZBlW99L;{nNhqMJe~4O}ZCl#(j+~p6@ooU((3v>)mu}Nt1lmIi8I5 zHinH~o*w#VOoINb9_TxhpvO0nyJxadGGzyZtEoEBKEV!zxk$PoLBQ`Iu(t zM~|3*epfnf2ZXMvI)EGM2~mK26FVT$F%AD*FsTEl_jCa7)rlRb9=8KR*Hj&lkLii9 z5cwu{0R5$?oBT{nq6=pFz~!p(dAKd)5l()s{)htnDFMOI zb3%ZaK?rrAM<@^V(26Oy&>%r`3!C|F_ZuHbkLBd#v@Dug(k%P)ET$2osgAA93S}vW z@;suu{;$vT^jD0`?N306_9q}ovxLM}O-Q-^1jJT<04jgOhWf zGO@jr4Lht&K;Wc)dZ1Gu6=fNpCX04{c&#kkrpeOkX4y0;i(imp+scq3XGrc#PrITVgHz%i&b2n3kSS{_BhID!12U%7HXu|S*8TPJsc#B zH=uq5ztyKY;ca4vOheWtg_$Lt6V!SK_pq*hCFRlf4)E{cu)tqRRqC;(NNL25g5YP> z$306DDk_z=o)26l&ds>j55C?qm29qsu*P|s*0SNYlbPA zpAN)kq3q2tRSY3SuT8Bm9JGBoBQPEG7zbp8K{AxOMi_F-2tyzvOi4zVYrz&NsvIY= z)CN;V4p>n$-YX~KC^UJAD<`>Kc zx%oxTkC8ye!&J(lKEvI z8JJ*x0l2w>u+`C<-)vrzG`;y{hRiSIPiEZG8NmE<2_wTyQ{Mb?iI|P{WqxVEUzj8W zM8;oqn*+L9F=Bt1+*hr1v!%%s>+8kG?JEX`lFTnt_H{^oP13$zG+kdW>hJ4C6Z%T$ zdi&~n``Slr(X`YxzQ6%8z7Q<(#uqS}8(%z2OVF{vH%7j!d4afztJ^cvOIfP|&qoYO ze9SY;OJ$)f;a;>kL&Hu&C zUrOt=c5|CcMK%{YlG$9?Q=7`>Vt8a!YCN>CxfoikS_taLm2h^PYT>#}36N(`LAEH= z!7G~Q<_4E?pTVW#yuqcC8eGs!%Vuyn&l_C)!?`lJR2U8u3@&{NLEfODYg&Vgx!X)I zxRkVDzE)lLsGZi{f{i6#@MHZ*>Cj_u5sp~4nYChqoD$uTQ;durV@p|wU3*wzU<;Ee zz3jKOz-wf)e)XvJ7!Rfae6p#f(*rm{Zvx_<|q3cwzqq?66>|~n=J9dLnknUfU^sx9@{ zRC3^7tm-nGN>=lXpB4B?1{Lh>W>8^GV!9a8>A2&RGE?yjOGMy;mVl zC0JOj2iNv2X0QcJN@H;J_sYyH6VL(k_GglXWg?bgt~`@jN?3VSr?Qk_QX#$0ioz@< z18+cgn95SZAD&MsZUh&I8zVZ_vL z{0no#$fwVVs(f0}A9LX=Ot^T`Rco4W{k&kSS>3LFcl(A~@?rrWpkQ~FL6 z9-U1N-r@v+TMa82@*IBraa&Ut+_@;#l~u3o1f#3)Yvfh9a@76mNSmtg1zG9FKm955 ziRpxBTP|qpte*n*=uRa^xN4MIOYY1igDcxb8EX>MssinII1S1Lbv)R>!G|7;*})teu%DhfXeMvOqjv}u+oV!Gayjd zUu@7mw5rf&`n%t^_53EPBg@eYyTN571lRW=i+Y3ukM5`)8e&Lnbpp^pWR6AX`dm36 zM1UteG&+Ip{JA-F$M6yidbn^o4h;87uJARc6gq5ccAhbGbC`a$G7bhshomT9hfbhm ze9!r#HY48gsM@2fVoY;o6C)5DH&ubcH6nR$gc4As-C9;F^uYFQ)jU`9asF853_XE< z7S9+a3^eSA)MbNGSNc(7tD`TK(RXFFJeYv3i|7f|pclI4kgDbyALkgA%kUm@^i zm_U^nY==p}SPtqz-FN^Fxiu-jZn>EnIXgB2)36=x;uRWdlweS(Ikxzf!rgSyB1da0 zJCP&j=nC=#E0C=M69jZ>al#Bi;ZekNwFIXn6RhiNSEx&M1J34IH|FJDMEc zQkD{K+(FM?ZB7s6Y%NiZ;bYaxPCYr@ zI>V0P2C%}3UFajw8^Q~T5*k97K_C^=!(|Z4$R$S4xE(BuJv^eLMG?qwEtyW}V2*6- zF`!##nY!5~&nmS+#+m56w?R*D!B5)TQn$Ap6`$DKqRh+cecoHVz503!m;2rlXb^*J z1?sKJYIp-Au4XwskOL4nV-L)AB1aE0)B_5Fs1B^Hdkj^deA5`15v){NNqtlTD^-_U zo(V#sO?irjbw(#eeRK2yKSdLeS9D5)Sjd0^(Pv9reHczX#bVCnab<_0Ekep=s)T6N zXb2@onEe<;;<=2Ug6ETmgwYo)_wptaGdT3-VkYu}z=V;P24PpskgdXyN%1G%@kmFW zL=(geF!YO=uq$T5tm3Yii55xF1janH(j#i%ED)m+X4cG!q6U=rh?-br1UyhKq|#d) zOXsS4pwC1NKqEy>qJSWEGbAS&c`+w_L8m72w_wWnJL7Kr4O3o`=V6CgAs@=I=WbHQ zA`JxIwN^4=^zbz%dtPf47rT7TTxWb8yCdwm__@f2u_a{FlStgd+3CE*1e8(6#<6wD z69~HZaW;Yv4CS1yaU&K6VP)Zqs zDBSG{pj}M^$wWeQSCLva{|PDrR6)*By~Y*B?*a$-18*W9CNKO|qrANo|# z4j6o)@WJ(zNFwb^W4~Nn>3iE7hKEuP2 z^o_zi+d91&hpJt#$0Z|Z%xM-NKTo2|VM z_v%3@db6$fVTT@+qBq-nA0E_$QuJoL_hFYFl%h8~dmr}bK`DB(yZ2$A9+aXt2lTKv zeNdRcc~lSk(>Dt9Y=`x5Fnyyi&vsM~htf9+^K5HiBzGizqcG35PH)EeBXAVv**555 zZTd!Gp6zZutWV!4%(HFQ!^ZTD!aUnOdf1e{QJ81DR}Wj$HwyD?JM^$EeWNhX_MjfN zr*9PI*>>q+Jbj}u&$dSoJJUA`^K2Ti$dwr*n%>b%xctM&)>}Z*34t<%My0_#I$|P? zY>C8*S33}|BTk>9bw^Z`gDVm+UO|nopjh;LUBbh-Z*&mmnkETWX^#;%Y7O?T7*Hcg zs4vkHP;VPw1IAT5kc>f~m?YuSVa;5rAo1JbQ`OFd;|s?W7QiNpBxg0Z^Mv@utwu8% zG6|hO#6^5ER!pPnBBBaly@;Tu91+zi5J6+?EsaWp1jQ0_n$=k~#g1+k3`9;(v~{6z zYsBrOyFBXh1N%O3kkp7DNBXIdpP^$n5B(BMaXMT`+A6JNImbw)c zo`YCC@}ZHe5A?+UfWbfFMttIG$h(N~(QrIV$!$rZ z<;OwBB4eZ-M2l#Lsv8d_rGRfyMeD6m~iS-=C1G^cp9dOKT=$>?jZ)Kj)-4h@k zx*L*%lUhN2_hr#3s|zw?ZPM3+NQ)N)m$KGDhMTYCcaW;$YMcRjf0c*`kXR*F>D1i6 ze`-8%Lq}_YF@w_mHGVRowcce1lhb>Mv{8bJn?#mrTtsCrePW(*#!(TDM~CMX(Y=bg zvz3vjMWg)Tx;(%TM-=hB&^fZ5Jt=n2Bx9|c=YZwe-;)Q!;O+Eqc&m<2>Sy&uF~=u# z{m$70h{S||LwjT7!YvWdFN$$MRdk#qfzS0(o&Cf|R;e8Kj9vmHSjcaqj6XQHFyi`@ zVNSf^Z>m55t2HjC;+lJU-<}P2Zv`oc5U^>Op<^2an=JvBJINV`yOebE5_A$jhoB_uAVhSq5L##G_lwLP@;A*^SU`ZBL((_ zZOAF!)7cC9Iuz~4Mcb7|-1|N~9?TDdivonW+uVJa&8c2$8dw-~V^>cRj6J{cSi zZ?WtNr49ivE1WbZ_Xq&;MsEC3xFKqvq)-=kfan;^K-5~h3Ytyua34|?6m?Es5d0ns z-Jo4ZOt#Dm5^D#NV}=L2qob}JoUfQ^T9@-NWBlU+?!jn{wp)r9I?ZI>7F|p*Z}`-; z!;c4d4BvM9nzidUjgN)5w$EVTFEVDYB#jYp*f~8p&zxhp*^fOpGh#E+pXN>=z`J;q?-- zi2fmx#1C+~I3{UXRoHOndbXGY&qCT>Vzvh%72H_Gax?eDSJofbeeaS_ADS7NM?=TN;pf9 z%(5B>rY>PTmGT&vYbK|ARvh41qDsh5&n^mWs?S|W@33rbwiBBPc~5hvuIkLvB}j9V z0hBZfk0kcYYwZlddyFm(Dn8tuKF>;p4F$-|pY$0nX z4Z`2tZXhySUo-Jdvm!!;v@lDX>{#N(0BL?WQCK_cf<5fUHu<&uCqRoEJ0S5!fv1J7*fK%K%Q z4iE#v0jLh(2hyvb1e!J&Pg9pL4k%}Q#`?zcL3i8l8zYZVYN5xRnx0Jm{S?$rJpqQ)oj+qJg8~(WYxodDJ*8{ zq9L45YJ+f_J#0Sbb{m>Kz=d$0XlQL!VHHj3*m9ui#_+}k1hNSZiu8^kribo$npzZS zV7BKWY^z3}a3weNET`vS3fwbiMM!l?Q$DqX4gjMS)LH0`$GgQUbgbym&#hAw!1O`x zlT^r0kTsH%+XLIsCczt5N`BvFXQ>$ht@mi&p)u(@2^0qd#V6KGg@nd&q}y4iP-eDG@P-70VKOVov{wtx&28Sn(V<7~NG#oP}f#XV!J&u`aa~!9btt<#$lGF_0#7506<8gl_YmRH?CfqiJYZ0;! z*BP3vnnrI89_RJr;~Z(1%)0~m7;9Qc2dmD=AdT%(lD4iJ&=t~%&wCiSx%k{1!U{&1 zwwN605~JammTKxAWAgs@jH7jz(D(*@js`h2OLdy$M|m_YX8?h#Z+8t&q57RJznFll z^6aXER12&oP16GBC8s|DEpSFAgsV8EclE%jw7_|&p;KvrRR{pjT3y$(w4ysJ;i^lAY+r5fuZ>vE1hOq2KZ(q>1T zcY#p}`JW^A;U2BPa4yt5AtCBxu)j?Q%nc3JOhSFfE|)P8O)kv^ej3mu5NFG7b}Z4* zksAmNt(kqg=2qENnfkLzYHCWA&}sNomDI9I81J&dS|!N&@zB4}Qk(UClo}*DK**k! zm^`x^Fl#62lyDD|gC>d1HZsg;;tpsc`i5V2qqTCWJqt+EsI}Hg%gPhJI`{HBI zSYS3BWdViHp$D*C>Y1Zhg!DX3J!8ea6BRRaHiLFmOs0J%6Pt5u60s}YDYh9Ak4S6R z*0n*b%hy3s>nm(TqXfY%!XFEoZBmNhV-0ngF*b8w{AC!pi|%|ar;F|Y>*)avL@?Ko zr-m+s?#xKZ3PN;DBy4+m1k!0SNCKA>3&^npp824XuI_Hkhg z6CjouzDb~f$wpfO#I!jB;_v&=crX;$UGjWUDSwc8ct%#wjA`oO(4DWR%;g^U<`x9D z+4Bb-;c8{|pxsXi50(XAPi4ft^&>s?yfJ^!5wJ6}dd{4t9(Ff;J+RdW@}f4z-Im^G z+Ie^H^E>hf9WgsDyzDvT@P0BcN;@CTAGFzhTzFHLkyyjv;k>Aa_p80n!25;X=ZEqK zWCmJ)N^fNCl=w9UfZoH89lZ0ghwj<<@dL8-NKr6L6Wb$N(4bFC9%;7GfjF>NetR?!r}NLTi)pFep0mEVXS&y z*XF@g)G^uK?!`uI60j4up2PK37@y1nHCsZwsBdbeLX#V^=JUZd+cndO3Jh54xT%4cKi_d58i-X3CxrJp6Q(;N-2Sb?7$Lw%9k80up|L@#YeQY{b#2oW1G zTIrO@fGY3a5o*+-Nfbxje`<$Qdu^P`tPKb4LH?t+BbN1gAP&kQTU#|sjhh|UhKbJqU}RTSfG;GSBIUA0Ay}iX05R()Oz|bD4ZXQObb|* z4z>qnWQ3M7BKGiznOiG82{krDslfNe*IjdGTiwy*TIZ=&pUd_QDk7^^vLtr50$AE) zWCc;sq!KcFbS#Nnuta4Kg3>0(=!#ZF)pmJFu52a@5moBiqx**ij4RNF+~9u5=> z5tqkBhImpoFo5~cjLgT8dpoDXJHiM1k*!&Rf$ABeG$`|@rc2u~;qTquT@s;Y1NW(F z+)0_hmgg1WD7Ez!r02?FQg%ruFi;fu@Rnak(PLtf#zMvqTeB)Umt|}7wNjzZW>|2u!WYc@iMeQD^jwPU*e7YA z0Yk!t1pC;Gl3mUcE+w!tiqxf(KQiAbdN#4k3AqNb-1;Esu&@1^Lpb{=-hb)zw?d>0SCO&w<6Aq&DY+-;hlM8Qq0kv>6TlhU zz|}{ig2vgwyem7^L4B}(2oOtd{k$7`>gQ9ule&6|uik6weBYcxm)_8+xJz&BDX4E= zOvF)Iu$kgWU82;oQ95QNA*tWw0Zy&uPDZBJKBDLJ#d>8?FhH590Yo z_Z}9|d~-Pfi=ANsgsDwiWp}WA12jEY?r-bJiMB$M%zv3(Ohn@ zz&(Y8;PS!tY=;G%&oFhkeKU3!>LX{dt1Z_Q(%(_|98WVDqEq+>%Ui5nYsi~r4DBzj^{@W>2ED50Rim5h??r&H1&Q=zJw<%)XQU9~K+(#VC zqh(CKP3S72bQJ_2CS$hqcx3x#oHYr`mo|z+G!D1D_ZhFcZ9UI&*cc+))+`ODDhSTT z_eVYoFO*w<974svP`u#d2kz;{-|_x#{HuyreV(^|kobU)fAnL-XZZMopX|oJ$1=?| zefkFFY54dywN>=-ds%Y3iaV-eh1RbE$@UKuZMr@85mYVZ&$bbreOQuCttGawC9!sk_#rNay zkd~!XOY%&IDWu>Z|Fuwz)|gHIV&*DDHE*D3T^ zU8^Wqw^5F|3YpAm)EAR>9X%b$k5|VfBcjXD^HnD}2-teMr$$;Z=oSv802F zGFu%`_!&#uuPD2Je3B=0J1l9hq7ZG5!uMIyZbcCvyA*mR->ImCpF&TLaYflT-l1@V z72K{U6yn=a8HM;}M#lGiE#rS6g?4A+R%X=>-F!0$B9;G6NxKnju4CrF z(Cx9Lol1ggm;*!i2}{B<5xO%#tHM9Er0t60m~*efyDVv&q97k*e};Ut3QO9o@R0Gz zCPk_KZiQd7q>YL)8EsJbcb2qXQR-T!aEm3aRg}GiH45KlNn?t_hPrvjbK%W7Wsl%` z`af^%d}x`uAN8|8~ZS?VT~Mh3xxU_W+BwrAKsx@GkAVEY~sVwoPtnyR(but%0XmcSEgf!3w&VpBLN6KrCU>|g7QzE>U??Hvqa z!W^}+!DnA|>hSrMl>h>e_^_>9LA0{Uo`}s|wPM9Wuw+}5F<<5OGm7>a4duB`D<$7B zpQjwM6bO)|2(|j`(!r3Nn0qv75CeA9BjRZKp1U!siKV?!?PklwR6-`)L6Q=N_HYP! zCJQo%B)&bS^A%kE05khUHFp42?7Hs^Tj;FmW&p)lPI|j-;-S0NmP3fdz3_e1iFPtaSNHw*#K}`At;DMis@+%C_>yT zDt|zDTG0m4tty7AdZ*I*YKWH!eAPNv*aLqopfS_idYIm`>KQJE504^O81XX0ElYrf9=V6RLVQZsT&&B(rT0fMBlX%PZe$z3rvBK~KpxAXl698vwM?-F@ZoNqe4-WLl%0HXn8g1*G1yeO28ht$QDBv& zAX6pR)TJPU{_`oG;bX%ilkh>yQ{Y3kKG5Mo4h2I9how9SHtvbrfW@9TgIL#05Zwk- zCo}swhEvbA^?E131}>ljUDhN6Kn4eCjobCVi|NIm|66VA?(X{lhL}P+i#E7 ztY{at7j{vrg~4>FeXd|PZUD8SV20Yg-6k?tn;Nx?@V@wYp;q7d006F|5^67;7PVV{ zR@Ax>QzhutnRU;sN+C{jeuRBLCt43?F>t^#@(C-q?z4di#|Eu0i1WeT+RXPuV?YV( zsLpVbVRPRP@@g||B5S&1OQ(U-q02DV<|qR!9V=NKM<&-nDXXJfIvtx(vX;Dppn$~fII`jl%s&oiW z0rnB(L|dCwu}p|29{I}@!0`mrfl7{o%4VD4xxnL7cOlm344W7BVe`_7*t~cmHa8kJ zFP(tR3;6=3x=8cF7##>&Z}ZqpU7q@|c~B?=2VlMAHXRgWiWoNIs~WI*sEa?|jtL`t z%+O=gh#{;PKDssSm|PRsw3@ngr1YVV3D^wUCUn7%O$|DOX;^K2GxQi1{oo#tW3Oi# zxupXHQr0+{f)!Tt$`Y=jnSgg*(SmS~(qi+L4%#yB_>x((+-#)T3HEQvBTl_!Xj2Yd z?>h$I(PBHurs^YHj3SlAB*{iY63R<23wgw)ojy`jL52}lkJc;g1HfV=lhdLacL33e z^`%abcEd)Hbdrq!jbhtO3{0e0m;ZBmiTge0dS;XalSEjZN(8mGv7`ZVSmY)&Lerkw z(GajP3KFE{N|yrii*3TOOUvOvr&LI(b-1PdYd?5E%ol&)KF^&J9K(*r)YzzX_ES z+g`u}@R*HZsE#QM24O!tB>{U+nuLtK#<&J?D_z~Lu9olvptsUG$(~9@E}6xxtAveN zbhSA~tn?@~*wMXi#ad2utB?%s*5cn;9d!{)jcqES<0c_mZmOGfeI)+jbS@){Wb?+S zpi>}QLB}plq53`IV@y?S`rgQTi-3ziTGtvE78V3+`3$vvY)^02gxYa8?VFtL{DslY zmXFmKkE~G`1AiSCG!HPVNWmvS%B!FGUCXj2X5Ttm%w|AoF?%{LEV{VfhW#`NLGi>c z$2H4iQTOqxCi%A@95G00K*-vu8;Le{`Gu7Y(NKDZs|0+!J0K39box`!;I~>Si5HbEz-M^-(hAk6xd>jH4Rr~!5i|m z2h{HUat_Nc&(RBXu@JbE?>!##>E+kI4!5X?UXA7W;Tb1&p~Aze?rei4>;Rx*oI|zwIwz2Q>rZSe@w1Xe7SiEHFeJr5kg)QD4AcyIxH+{G z!w-&iDHkAl0+M<;_lW||q&huIO5Zm+j`3kE>HF{_EEsn48=7-E%1^FBQ#Q{`jRfusR-7!eZ9a3UfHhnIfC^w&^O=~AT~po!Vv%TV*m{iHnAi#8`<~Jj`f&)V3d|P5 zG@qZyWp$!T&UTly*v>kkCgnF}S=WTU_1LjPF7i52*t4M~xcNNdvk@3+cUU0x2oBae z87bBwA*Q1RqJ!5)jJ03`LkK`3IEc!CM$e!T)U=KwONigBZ*m7ICTzmG#e?r(_ak33 zg+TU*2H;Cyq_QR(`T<@K5YmC+9SpnN_X%T~Xfrb}%(C7VNjY&c@n>hr4CYMK;Ru_F zh8|JJ{Z~2IHtbQDD8a6u%|l3PbF}^zS9p9Q@Q$O8gp%rBe0Ahu$)snSeS)pjmcJdR z88}+2nzCPCqpcn!JUXRud~@g*51}>*Ip~K+7(OT^_brad;^FQ}E0gjH%`$#&z&C}A z?DdsauE3ET?|6)iTy+XG!D&3sT8ZX!C|Is4<2>hzI(z6(!5=k_3a0%0(Sv*-P^!+@ z*n=4OB{=-t&K{_Q10Fqjf*}(RY!134u~Y`o;lIuB>xwFk|NC#xW_snZnaaMH%E^yz zc4(GnKa^+hZwE*ykC&{8<1P>em7QQ>)-cfn= zndYY6q)RzI5shl(vej#s*@*_~>w4AyX=%g$N)d*mVTO0=6#G+t5K^zFRp+ z)$s`=s2zYb`RoNKTM8QKk~JD3@cX@j)`l5V+t@MH59y3DM`}*=)1VDVroBzw8ITRo zIGq7mQ}bjq^d`;FS}SV0({ycZ$(e+~=-;H3a_o`!vX1*ark*jT1apwC@ch?E0EdOG z-@ifU)-l~YhkQ<~n^_V21e^3BKA(sy*GHPTa+S5LWg0BAstx|GQyveh``>D6;4sN`krJTF-FMey8o3o18>Lpw@#eN>! znw(Dup#}G$uYY9qGB=xBx%rg6Ia|wVu=NM}ZZ^lfw=xAoEcgQo?-vx5L0inzvxXXJqPq3grXfm>n>U-}XmwD6iHWg|39 zbUj$TK3p5)a+j)t880%DF>}H(4Fl3>Rv$hPjCI6B3Y#xtX~!Huu4YoVoK-}Kk{DxH zD3dA}p3$joajTXsh8WP}{{6Yjuzro`ncZDk%IaF{5Ub~qZ;_nBZTfo@k zkKgfM@BQYtXHw5;+!dpQcfR+BAN+1;3ETrj!ofQ}^v#p)c|gziefF_6e;L`cINVfIi{JRvVgD95h9CdT2REH#FU1J{>qlyeL)62M-~Y9z*(>gC8h-qq z?-c9-y?pq-HNRqU=855Vzqw>_;qa|r2rSO=yW#JbEeb;of7hpiS{|w|8m!B$B6c$` zH%SKuB`#XFHB7|;MqT9Al^+^Zih?a;8UAY<$8Y2Va=MPE?w{@h{b>N8&9s#aK z#R=A^*ey%!#4HMER-N()u}^jh50RQ@<&k1YXhHwAI#RUA+1l>Zi|TKi5zdr{!ES-T ztQE_d=u(31f2ECbRof)Edk(^!)b&@#sSuM3T(JkhDYtwb{MWFg?eSlF^PgnUshpBjyu0Vi&N&&2(V8{oF53ouok+r`99IhE2f$kJu0-U$BzRDdY}euwhDL=8f#PKw~e~YnLYKl;H z6+?-f;-8Cc9dC$k%@AV>p;n~^o8Lqt?P`g33TiRT%*|bRY)i>MSG<)v=c4s|kK!30DzYi)g4CtI7z^%^;jotZakznzpg)C{Jb}1l*Y7TJlv`JY z%;0*)c#(!vUO$AQsU4B0;`X%Zdn2t=@f*?IOoW@+X=D8h7!M*BG0DJ3cw)dl4p9b# zI)@Z52;L% zgl>%@xzjv9z)s|EWa0>7xLi`N>Fq^azao1P=b*3#5xs^BMo-gAvk?uLjYyY)c^lD< zW+Ix^H4%}~OhlHExt1R46d5GIM6#Nhh}DkSm5|g#nSGe`Y?A=9k?v;Gl2oddX?J#q z6~`j|_h2poAHF(akgb5X*j5QNwKp~%@aQkLnURdByAW+6?oKriPU6JQBB-|$DG;_C zi9?)JFiR6mPy-I7?9%msthkIfupBFGCv(Lo5guGWGMk78S6Qr_ILO{hJ?|bdhv)2w zc|0bGyJ(dCKtk=F=vF~V7vd&*5wy11=|0Ou z3i7l!E0>a}lgi7mBrg%`uXKeIt=<-jVC*WL)xu*>AOV<1l_q|p&WpR7o{)q7uZ?<+ zZ2_y!0I@~N5n~FlVfamUYqfA5pPg-yj^)!b^VvbM7R1<;h9)O@HsMG(mZnSS@hDM8 zAOS~ktq&y3c#;Ss*qfHX3DBN*rr~%RN&+dL;nX z*(TVuw887_up$@Ca)wyehgdsAT&CE!Wr-Nl4iSGYKt=ni)>*>-FJA(HM{GUB`@Mm8q3e0PYRFo)?DCm8Yk zpg?wQRKmed>0@t9jTki0u%&jk&BFqb!O-|sn-DO?3zg=sik=26g;BSFeGrO4@I$hG zm;s1~!y$_}?j;K}Hio&+uLpAgHx1?}p!vBd>v+fvfDAQrb*z1uDKR-DOeQHNk>gWi zQnw}>CZiOSNscrVQ^*aLM@;b89qBQ!Chu5f8+f0l&|gGZQHCpG~UHYE!epaGBG z3>RHYn7GLBU`B%{f`{7Fcwn1mN<7RJ9$G0LYSZDN_A}#wHKXC-j2B5M5+2as3=i9o zY)q~ofVtg}VSA^T>ypLr*5P3B3f3XqXv|q*Et(}0J-Toc7UN+A_e=%bm{4yx79(uv zD`0HWM8R>KCC6a8*fqVV+tj|a zDQ@)jxi#L~p*QtSaa)mH>}T6EC6}ylKjC!wBIE&H`r3d=_mZ9`n+!vM)sINef>(A& zI>D%v>5);UIYF;>XM0Cc>ee{kzl+Af=qYy5DwB87DyAW^bU*Gcn&mu!T{POl$N&9u-C}nKFPN>PQWD>a~g}VE8Hf&8U=zdhD(+B^eIO5iRx^|_UnIv?)I6IJz z*!>|a#3u~>_clz?`;(9dMi+l2q-EVQ!EMpA!-jv! z84EKO%z)Hwc4vDx9Yxi(K0NTAxOfWF7afFzgMUR=W z%G@wa#z?0o zq+@^@1+djO83|v&zM<%v2L!uxuaojR+f_lRT-^qFQFd-R_spI0-F2 zsW0Z@9{NI_q-vbR@&KkpZ1bU_eyGJoIn)DFK@FfO)YZ{WO}ti{Fa&DGXVzst6CkLo zeNfjVqK)@^p|18YSqgP6gBnX4{NDpLFmTPN{$DxB*aCnu!(VK|f3Yi6hKW?apo8R| zi)^R0EG`nMxYXLXi1~=U)r^ZWCg7ErAmbwJ-CZt{UjtlJkx>squ<(G5bRFh2Yy>-U z+~2d2tRaEK_H=SecFG~L)MV>58J2j#HjgJX%DDtMYw$H!U0T^9n4v2;FnTc+u*ii% zZtMe}@|TpruRTw2fS$+o_Fv_V%?3Bm+wx~UtP5?g)DT2>#^qB)(AGpis6WOhFwT3f@5IUwAD<{`0j zH#sCEXEo)ZXq#Zun@f{mVI5DEkS~RWb+8smWKFBEJJ8t2F5F;UI!O@S=rLNdvQRn2 zi>~J~#Mswka&SoQf@77OObcW0|4t!=Catb))xkR{DE9pdpD~984@%mX{j!q+bV?6E z6{~?gkhF%1S>waM+_MBi z#AQ|dQ7K7hCF?WXst%zR4zGTpuiW`fFD?jahk7dzFt>4INSj+#IY-1ZQXx?PaU+WO30v{gp*VfgO@S3w#I%?OQlU@ zC=G~hT5&8OwzP^JyRk(ZHQ1neTEVE?W*Vva{oZe_wfDJ&qFa3EXQ0SgdtJWU`@P@$ zzTbQMzKmb4At2}Z7DIF(h*YuSVxgVOh-k>*-GgUmDu7$ZcCQMl=TZ~DL}$J z&?KC(?*!?cL8pcKLWLVzuaN_nJm;LyYf|DCS%6Z?fdeyON8Y z_#P$qaIy+g*q(<#Z|i8Y)5XTecok&`F4ws%Vmk){Xj4J-yI~9fSrI&5s`fsFFzi+b zb#?vGccJ#3rmjX<@?2NDMy&Q)lGIr{l@b#%T}(AEM$Oc=7bk@3{+GGEgrOdT&#{0V zGw(RrHd>J^WEDgArA#n-s_vQzD~R__Ds14w_HXyK@R-z_;frscN}EG!QS>i`WDA%F!(gg=v^8nYb%Dy z+Gu)u9jgX`dmb$Dy$M%m-x!PkG~W>S@>3C3)6A^h(KZ;mLH1#e=G6}7`;MRFFz3tY zmx}HOE_?Mli}&hpBRM4r260y4$BDDYii&O?fh<5HF<>wk;srGxnWmHkRr$gO1E1}* zs#nnT21xrij-S6g2k$IF2 zQi};rIj$ZM7?N!=>nH`&tdoK>wqToKI{E1`9okJ3a*)Cx8Wj!Gd~$a&`BofeQi~)M z;_BiO=JEp8ld&DKj`cd`VHxWfavihcQhw;hWp)?cT82kv&RjYig&}wRmd-0p9f%hfdC}DcNYNe@&*9z_-0oCO8-%g{T%>M(E;ttHUREb z9V=N7f9BAUr-D)`SQyWcaTDw?UN*2>W2fCB;0%84({B3LKJe!U@2rL$vUOuo(G zC1-Qe1BzQ{v(}tsUEwE(jE$J)h+tmi%U7{c$LPke5!zSBOf9-HX>L((P$x=F_doam zkXXN{$?pk8;DFY2OA1eJVQk*wGZeY-IdQIR(&8fya)xAl#DT4ox4Jk%CqxZ-L6T9G z3XA#?KI&0RaOU)a92%f%S^r?FRdoPq(2r*L+VGR3V9IRuQjJsOVvl<7hp29?7blMG z^}apoT{-bAiavw7CQ;XAso7O@FZ}PdU|q=$DtPsLPla?phR^$FpLh;F$N8rO*WT!HEQ>+j*U!YnQ=QTnVr=eg0Sc4A}Ar%PEjk= zk8Upe2yZ7mh7VoB<+06g-_F~N$K<%0q5=?xbNvE#aqy?|+;oN4@89&A98PYRDNVNz zaRoy2rJvw6i7-{LJCo^fs?zAnXM82CI`45pAHT3SU20D_xF#+z|D**g>&p=(uPC1) zJBdY}eWE(pv{8~Yz*nzMZ>~O39qQgFKwVM3Jk_P6P%H73p43}i)P3k#$9x&CGNoch zb#eEO$@1OtRLfs*x4(Pm`NzDwGPMl=s+H~?*yXz_mAePDIncc`V1aj&RPF)ZUDCY+ zXM6|FI#Ld{sP-l`2kW}plYX)St9|JwI8;si*&Ky|Dh-Y4I79{Z=4uT?Au6+1&B+9{ zHlje;Pm<=0JiL*C;q{9tmDeNvCY4wH1lxK^;};i6+9IRE6GbR1Os?>x?sZ&0SgeKu zUNOP&#mGa|#^%sJsM6$%{ct0Pq;b8+9r_?@=kES|nzeq1skZpYh9pZoq9OQ$BnsS^ z&l{z8A-Y8OHVn=t*-5qmE2x*}JG5V_ru!U71?^x+sY~(EXVE9g^3(OnWMK4(G+_2= zzb3nURjpGBbE5qzvRKt*Jp#gr*xBT9s51YWlt521OM)@R@2bhc%9I2L_LAN;{g{~H zh8ntjK}$!nE?*E^X;QD?=wiw=P|V~d@LBT(k$3N$28q-G2J{#x(qs&Jq@lj4c_Bvo zZ4#byk$(g|8hiFAK6$H?**wlybL1Oe3g4(55vb|1^<|S^2>xQ;lzcyo_BW9T#X1cM7E74r)Y}*Ty@OVtt zfTLoHRYquDagsUVUFZ)| z^Vtq?!(l+rk2nqFu>dH^8HXwqS^T_aHywWI@$KStcq&vx75!i$!@b!04fvj8t50F^qeD_b5T->t(r6iTAp7+xH!s2uBTiyTfZsZJRK9Or-r&3-##6G zeJri^tLQ&9*~`^}g=lCMy?Nbq6rG|o_%KeFi1*^juYK=(&oA5&ae)8W^aMpz1GPlQ zjB%7XAY8C_c_yR@SgU{eub-uw2WRGEFmcWWwBoW(>qk*QyHc}-oDD}&!6ABUf;d(@_2JJd*ahIU|GHu z$Bf>sr%q7|1?o?J&B^)$N3TcM?RF~SMUt-owbW1Dg#@q6KJB%m(lUjsk{SRM}ftKRb@P-2zU zenojEXNSP`l}P$rUX6Ut<+aG>TsHF6iP!sav-bKx&PmZ+AIw)T_BvUO8do@Aox5uF z5-&$q4|=(hld!p5wR*_QafER$p1jTFMI4^aj%TwcEVMS&6M+j0{MrRbCDixf(G z)iaKnl1EXD=o1C7>$o6}9p`fB7{0H)Y9$U7st&3$>Q$E_3`%(F3}@A}9)GB$gUeHV!H*B}F^&uP4%K2>ngSF;rQQX}p`QrLxRAZD7~MGqZF ztnaVG#?t)6994~2>YPZ$ioYXveXOsq3xo_;z8mS1Usy+Ta!^t^@sRJ^hpb~A7g+D2 z?_Dh0ulde|$gbf#;wTAG57DL?q0wQfayl6FXzh~^eecix(ht04a>v^DKk}iU`0n5T z(Qn2Flh;)AhuUT=+@sqH%WS_qt_&Cxs5*Jol+ztyRJMafT2UU*D`bXI zZP3yUNPSvM{j?-m>HCqg>c>9}c)z&*B$uSSjr=9OhF?>uQ_1ln`=_7)ExRFzr|cdS zm3xpgVNZ1lL@|ew&2|o%;)0W{63yn!tj6n~qek@ENC@&}Odhhqm4E>41Pc8U%^^ZF z1nmY!NA2cfX-a-i?on-kKGrpNQ5KZuvlU6%W#6{Se9|Cidi_ou;-YOF-Ip4%aU`wa z(+6iYz5#q}Y6M%kiyB!pe0FB`*&8=C%w2rOGU+E}I}=2Khi3)eyr}?pQQ%>(Yih43%+5B2)G;AGieF za)c8DxRPipT%4I3KQ_)6jO1fcsW$1Jypj^Ec-RkhMX)hx?AEAo!5WUeDJ4aTtTj=KjJI8@EaxV zeDI-jDwIBuD{U?;?Y98#(0q{B|Ai}Z0VklO+#a|)IN77*R8lCx{aOKhE&>v%wm+M% zt!HFW^Ws1IqSrK2E)irDFBT@h8x0prIHdTbAwnSnQ9sZAG(h8AcutY7`{|!gE@7#1 zIe@h{B7m<B<;G; z_%)-I%5Hx43FA@Az_J5#MH>KbZUlM~Ne(tY6)zb?OyxCn^4Ii6S8>YkFJbXq3ikDr zT#}1Nf|^}H>U`{>U~s+VOmvag&Adgm74%~&8Aa@gDb|c)b2T;IXqJ_O00?2#G!Rb% z@^;AD@u2>YD0C@Z`T5YF=SVsh2|rQ5*ggmFE92F)80mSwOroyX3%(j(K%L{=jB-iTNUn5@<+*%-EPtpsNgSA@KYu50)oIyEo-;@ z(o)MsCIQ#}o2@o~xxW6eSvG&$tcqvj=c3?>Fcsb;vDUOAv0koS#=?RZF%56-G%F## zPTvHoJ)d=I-`rTGcdl7zddy4Bq9fnpQI>ibv+s_~EK5x6~auQ%z(xq4dGEpIZL6aD6K&hU(BZz*d6}>!yh3ryf zAr*PV$;P6Qm_0aysjWDZVl zFA;FiaD~iw>+K@#0uFK?^WWBhgYsMoIG~A0+oj%^v|a4)Vus5mdDnpOf+~d_#0$Gd zkqFLgLl4L)Pw1w>E$lrmMVRRlc=2UKXSSgSH%3 z>cS3e&0frh9gGM&5K+Rhr;f0L%>&YAOoL|ra7Vq=68p&g#iMLGV;zzEt1I3ns=@H( z#+9CQVF#E_j1k5{hrlhBimqd6A^E1VCvOR{UCm2f3W!~MHqD@#QKAl(2h|3cCj#dh zTv*@@xS$a5%}NHGkZcCG__AofoaJysshQWW*7%E)r??OwmhoYKh77FAxomFnO%Dex z=qIHJqUzU+>m-FZ#gFHbvK5i2-TeGi5Pk~gQ;m)8L_PV zWPooPT4MDZ80ixKp-1gJRgsUAC4#?NbQ{RpW4BT5Hwm{PGvYwZR?IwkHj`wrEgM^J zb2hfFp4erxM#{D%!j+se_7d%q5g$VmSS`>%&cBW&#)C!13tDxNA8ZOYhjOHmBEC9c zE#4sp2nU){KTs{t7to1fnypuCflSs$1HsfIZ7}W7Ru}v6mQlX95pR>YhLHn7fUP|{ z7XPqQM~ms7%0HJ+z7b?mBw!~I4zNf)m(j6IT@d|ItPXL4Z!S~f*K9(;BPO2EIfJE- ze+(KgE?+if4mcKgibEskWlxtT-3du?K5A)57k2T6Q3s8610M8 z>fOrwWwkqnGtp^x#(H*?wE|h_|BA^^BPMx+Tw6@u)ZFMMI{7%VRj6Q62r6`xT)O_b zb@J*2+F`TMH% zRT8HnJ4Kfk=_?ylG!VUlrBMx3*!7+dslwmw+EDQgL8^(FtaF9#p)ND@=;a*@Us3IG zC;BxfApx&?_U*j#ILh6WCilpr<= zZ0YA3uuokB-fV7w5y;}q3Sk;akq4@|c0oGt)-K=BH-MCj2OCOkW^9uP)zcskHC84H3s&5tPMmbYOc zQ*%@3L$rH4V4B4uBZI&EUd6!f{i5m<>ogKk8~t|mP_A28vJ#gGy+#vS^|r1S!<`ny zbg0PY6(a%J4B!w10A3_m271R`#9Y6YFXLcWeb_u>8=*hE1HIOdvt*M$9UmXfp890% zaod8u{5IeL*OF{EB#gwy$)iZEx-?BCl~|)LXZ+3q8UYcx$|dn9h%lK#kBJvj?+f=c zNZ+U}I>{HweU%GZx%zfkQ5gk8LO~D+&uM^@H>ojSz@kBpn0r%pH&ll^3W9uNDlO5l zMQu$o@fVmo$*Q2cI;2e5PsT=zpeGkPm~k>4E}<3eb})yG?a>2(&gfOHu(le>%w!mN zu5=HRJGYTJgva0k%}`0)QPP3lYE}&-Q|FMZczZ6t=`d)gmm00YCvIivPdOzGA5_u- zR5&gIBX*IBMzAqvF$2?HcT2r+8{-(HTwka|xk#e>PQIPg8bcC5|fR@koH z%$qUfvoX*}>oN~gsCnJtBfHYN(8u190~7)n*{mYKHl}QJ?Xr^$V27T?79n6Q&vzo6 zet?LC81IaV>I3tVzH80x&<*n1p&JF}5Rq!SH;i4DqbfN?MWJ!XqNHXYZ~q?q1=6f)h5i+qr~In1fS9Jm=+gV1YS zSJ+@y_lZg_%RnWA1>w-F#Pdz|&Y#Gy2Q{bHnBnIAC}*G=>hYw7A!-r?!lVlws4;pw z@DVH+hH8dr=grx367^Z21@kSNXc=LBNmRF_DRiK|OUmqvh~ie-e2XYXk{wDI${3%9 z)NVvmNbT*XU?H^9FP3KF`@l@hQGv#!v}MCCZy9WO;^yQE;5b76g?z?oJIe(QWmOr-ou<#dEuY0M259-2d2W;m6k~x8$TRyC;lZ*<0OdL_ zDrS&8+51Y3{iy(r1X$}gzZG+ZIa#QFP~VlS<6;mXKowIS9dT4}T2kszhg~t5P}-3Y zI)b);KADj4h-5<1so21?d;Khmj9KyfB;G@svR_EyfGJ_sCQy~qjSgJiZ3fxQV-hHV z_zAoutw8clngv1EtPs$Uhd~Z)v3`3CnSdrxgbu9-Cugo++M7n%@ro()=JpRA; z78f@MUN`=IQntofERWrsUPsr&)x8pn;IzTCI^+--5GyPRE&&P|-7 zNzu2;XK-A~>oe&NTiqm?`c^RY6>J-MIXT0KHM(IcD73m^Un?U0QLZmoss*>ERTajM zG)D7WM=+h|^iM3q36Ps1R@ot5X!<82j6IB);1uB(0eNvh&d)bTNOy|R^xIdVX6PHH zsjTb1lxRG>n8GvBl62=Bm%l+9q9#?tyKmg$8_+mtMxz!PmRSLTdD?(7gPuP9!rg)`DG zO?6{r4(H$As>QR!$8xG;_gge?_p*6f8t<;ygKhJ|czQ=O3Y&2`BbhB125y}|E;H&>-H zM{p18-aI?rgin1>XSvqxEl%lZ{oHznOHlzPUK`aRu61(@@cV9?|-ssLKy&#Oo6Iu z0KXv0BWx|CGrW1bl%CZq>tLvkD=eP@*h!AuwGG6m`yV)SZsT>QLDq#;M7R*#4zLSj zd6Yu~BNK8N2}biT;+z}(%7fmAjB;NH~(z%3AsNkjz2bM(&}rg1pWtc<&e4l>kKn(jxjBGkxjJC)*}=BXf^4yL zq>BKNn7JX)24q4R?trH+ezZavyK?-Jw+G2A^ayxVsswc+uTT&`=)GpI3zIe5A41+T79*B3zyJu*(0)Wtl<5WW3d;_5U z22{(!O*iJUdm?3uiEp1+&&!XoV}(ze{AB#k_q3Vm45^=s%Pfw!|Ef%3lYrEI-Y?1? zi?HFOfV4h)7hVdz$uHzcD@@?g>^d{BDZi6x8Z1GOp~(*wn|i^L*r8;9&PGhvW8Y+WyVWoR2J+kt zC8P^-N%aUyU!?(1BQ}YH`Ym=mr<+Uz%9;tO>w+Xg^l{vgd9?$EtY*?)WXGRXByKYcvO!T7a?=&V-{pY9GdN3Wh-CT{K_3Le(#9_=-8aYr20ZPs? zhYPI^N4=i73c@8!t1$z#BWYvw$+P5I>=|+X*VuDsf@;YH&{JB16%C6%T0k%eWvx8d<^R+1`<8 zV2YE=k@Ugk>4PeLU|1~gBoRSpSvEgT?-aQ+2Pv3P6|7|;rL$qrbpqgPghTvgaaxs* z%$C3a{{vJ>IIG4gSdf&kiN^3H0gF|N)Rcj)8+V@W7J>py+II76hz}Q+9@}IqUme9l zKz)LaEfxamj}vSTNnIq;Q1LJ_PJ*oZkIiZxqYCd}^GUK4rLcK7Bg3MVRj0D(}xfxOWwuVx$sk?1HFlLhM(gy^IcYozU9J+C$Sl zSR_tdk!5q0ot{o;zUG`0dV&`w=JF8MS?Ja{*tvvA4`kQ?>^%+S7OF{VkJ!t;CDf!O zgO_8T8%TVnpS7vfsy+3g+opKWvc++Kv`%4^OR*K?9z84STQP*_Y>mw!{Fu`^Y|74QQ z8&tjT&fBLGqrE4_^YTiisF+U!Ds-Z`22Mcxj-Uf9Bzne+iFPzMG@zBuXX9P z0EtoCo>$NVs0iI#%2XHQ%o1xdF*^|rA$tmLzGBpjGlx1* z7uhOn{5llGdfJf-9UJGq5y>}ygglt*>KVe@b@l!K=3T5fMYuvf|3X}b?*usZvwo0w z5U|yQ^#kcw^x4MWSwumOW-qh&%nj9%DJl%ce+7c^)G&uAR;}QdAJ5frAQ7%1wIKJ| zbL77I!CybeuZmwsPOR=NI9G@1ZL|{Z3MYS+yYBs`$ni=h+V%8W5+U_6VTgxB(qYTH z@s>Dvtaz|wh zix%AHzbG~EOk#JI$mC%s<l;$E6I49MVKTd`^`n4$>zR>GH&^k2j^IFXbEsvU!iNyw^$iMvC)52#60kNCWYrk9+Y zE^Lz~4kc+qs!fhdspHt5q#Cg|?^FVcHU@u?CJvqka>MFSYERz@OLWo%ddVH62|X2% zFsnj>5C-NY4i+5rm>z`y4`Yo*vrw%(gbf9tlPo!?3L*Rq>E&LeUA0c(>&vgL#bv6Tr@#PEg9bfvoVUJ#07-ww`dxa0I3hMk@s z^lUjWqTgZ?7Quy+p_B#?>r{?42>j-3vU-2Ijng%tK@D11MWD&be8nKk#Km{;MeyVX zNu%mj4u{LDgOc9+PV@3onvRoL@OlWj6hg2QE=`wCuqD=?eVM6u&?J~eLrX(eP#xl= z!tCU9StR3uNT%Bts1lEK>I1_@f`5@M5Np3v^}>OHC3Bpg1Y4MeKqSag(w8qa3kyyS z{iZldcopOtd#K(s2z?wHu0?i!%{@`N{O`3iC~F!3Kg`QmsnW+y9k_y6hZRkoNxO$Q zFzeegr=aMPsH#469Ak|6`}};L7UcyHC1i#HalY|GRYSFx5A234&%NkgS5I?a?TugT z{cuo}!{Dr_IX7=OJLj0;#yEKd`yhp{R2w@hob;6+-U{J-Tk0RceLXw*JL zc3@-ZH};j6AQeS|mj{$ig9)nr-$^cdZ6_Ap9umgU z?Ax0sN3-vU(1v-L2wy0;(C1DjdSNFM$*hryVD`vF>^bITqLmAkiNY9|WFjI!8=2@( zClm4dGsr}HI+^H+P}^(m*(?*ie7apGdPQ>b2#MttNMpsT!5QXCg#+^t#_B@L5es74 zo4lQ9P!Nehx;l^&lqbOisO#i^4dEvk=2BzJrYNxdW_5wtQBl5kqwE+k=V z4k3wMkwOx>YJi521g-g6_zsswNaELZkP?_DBEhFQ zA!(k|gpf4<;NI1hB+@XXn1rlaNkR+E{gOE$>EKQx&!tI7a_0`WP)O3!3a?S@+EGZl zl-#TcN$|5fs+H3~ZdhIVUnL|RR7e`hzpy&DLQ>ps5|V@-0#ze4jXI$SvagFvcMn^! z>&-n_hfaf@CbWc&29`RL`|-9+LXwO$G}NGm8|tNpND4;|=ygLBhV5cGgm6?=hZK%3-6|X%PQno$ z{x*Y_3|Ou9N|stD95L(=jt*6a@13qF9Ifms9IZ6M5wcjCQT(+ANjO5D2x(|R;fQ?e zjc~Nk3P%k(OsOK!%DgbBiH5 zHXVm>1mpDk>e3_&ab^VCEk)%JxIqSwk&uJ}7sQ-a-idn+3d%b}_rPlPl91I;LY5f- z#vv6Vs;pO+rOZw%2sG9jYBWZI7$jjH#@?HCfNKFB)#1s&^rccspxFneb^^`bYCh9;DvGyN1JuEQ46u-8UW&jVuG{-&K}T2Kh{~48xd{W#ATDWf@!m8(HQt zkT*1r`nv5X%e*_uG7wbF0RQc>Oza<+&P}q+&tl&;AmuoE>EKpNCLwkcu=St9T?P%< zQ|5*Fy0g&EB>Q&2rSoYBwoJwb^&nU_9o!K$1SZ`Tz$+wPSwMTVDQZ@^KE2lWoZ^HgF-FS9Gsva(||Z23#31G zx$4cxXuyvY)iUj!HP6GHYa9RWnYZ(Fa1*ILV8lqX%mbCo&qG4sc4%O@Lqpa#+5~#= zbctJc0|=I#9cK3UdMG5fCi8uCnDPT8d@Z(P=?;DyS0y{ccDIeI=G-=}(%PtfX3lM+ zEqDQ58&Or`wXvnDP+VG-+W(<{=AAa8AV3z(TMCBL24bWVA%==ztix4Su-kXJYgnF0 zsneRf3#2_4>C86+N-UXfM-~3X8G3akt4%H$6zYul+X{)W*TT`+FTD!!*k(~RWY3Q? zdr*VXE*^bUI;?-b?Mu^>-71CApl>7W1<6-YA)ow%Ra$}L>J7o@8ZTxgY7{t8yX{_R zuSLdS5TKZ6b?Urev27L^oXn(VDH71Wmxx?f!z#V)G!~i!K zjFLH3cGr^tLMaE7b+BHmv}|=05bk;sKnMLmrvyI0TA(&!FAM}TRsw8_z?+Z&q$C)&|DaF4 zu>4LvBb1zCCKl?Wt0H2uFFy-9^jJ*G5Jv_zwS>?d=7YRGfX11~-9^9{Z+d1HqDLwp z0<@DbV8gmD#j=G2(+np4HX>vcpEYOYG>@0kiA#BT9O8h53m%|4)WaP@?LBwXI{wF- zHeetEkPx_}4NXXm=BcPE>`}xAwRNoWn{l$(I&G(d1vcSDN8phWQ{*ke*d(fHl*7oM z#MAYN9D=>Hhj{V6JF=n7@(h&>R%Qo2?9OZ;j|#^2IJ03CxX$7R>ddg?sX0h3MKVjoLIU3H^3k6$=k4g$FFO#K?eR*Q!zS z71vXoKHP|~x67CSm}gX>`fn<9*c^8-tTn@RW8!HLiCIUoO1~L=22;5(w~znn04Yv- zgS!xyo*N4UuGium7uns4Sp6rZqP4-_d14)9#cL}pDOW%F?l6|Q9g${$w6%Ev>L++E z*%7be#hoYJWZ6*83?Qh*+X#0qC$9jT+JEsm{h&!Jt^cBFA*gBFoB}c3qOZl|71pYy zxUHJbok(qW{oB+f8ny7&9(Bbe!W$eu%UoC4baArwe&yebK^mjFZRt+wUU=F+hp934 z%!p9P_~cQb8BVV$0J$GA4-qD*K$e}V-BQ2yBL}Ut8xl&# zw*IRKp*!=Y=hX#!tSm1^$}npBpeM`48s-ZATO>V|KexPEBp2n5kFlRYFS_Wbf%~=Q zK{|d1?)L0Cc`Dqhvn+EDH>mff%8DB-_H~?EsDhsWRt}Z1 zkt+eX7}cx4j}Gv|1rLc(0U7{_4f1S=LP|dg=cj_qOR3UZde={r@q|J~GcV3iDq*FT zkXW?!y^!QW>BDniZa0M>I83TMdr!4^Pvk!f)iTs5+*o1+&RuJ|XE|pL(#Vgq>p&%k z!R$g}153Oo{tbx*6m@X~Q9)?4q3lM{JF?++BN_^q(rvVi5{>! zyE2;bI4Wh#_>>rT^)&8GaU9;NK|NMh!A%iTslBIl2W;jK=9k~6)2_nEn5eB}6~zS1 zCbj|8jbeChx`=WO3m3|@t*SLe`2kQseH8jL81=o=MfGQkyXwytlm4uh`4Rz@bZ8g~ z;7xeGP3|j~2bWSD#p&YdDIW&_aU)RsHLv4BCri6p%5Y$#G*V`$hvo+cU3DrFhJ|J# zATiwmjDqGff{|%)Z^OmiT43-`~^=ybJb z?fj?z_P>1MFaP*g&u909i%#P;(TTsn8ug+ijMgyc0!5q!qAeMQCe*GUBL4nWvUjZ( zV6nRWk=wYC>SLwg0V>m|H?SkIfPs#ukrKXOz;q7op$6Tz7gv}VFczCV4^5XaAK=d? zC?GuBohSCp+$}J$nq{DIw*Z@To+zC7c`TpqNtOhh6Vgg4!pS1-9g_BUC*AKV^p=Bx z*6HKI`Yr0G11b=74BiY1TwKz!5UO8$%VeU$#REeSH9BGmMGTnO{qO^GV%^94JxN^7 zV{6RP9pWqHqjd8)X_bI>>8#6RAn~`cE<9qe2&&P;J9HKLisCEFzJjVqp5i6E^~|pj zUUbQ69h@tacuBuNo`jf=`ZBUcM4|?^SyXBXx)~W~dYlcxLZu}SiJ(rP>jnC(tXvmk zh{m)BBZzLh)Xh!c?>c+2y+#iXd< zL#h!kv*%TTe|J3E^^Ht$=Q6vznX8^HYjF*eFuVb(?ip+3zQ9cX7KKjMXX@R7+gP=K ziEm_~EwVyx2ul!~de|G$_D~nu7>LT=&?5#-oWlwhp^3f+0O)wZnUdW?D=Wt9x4-$F z5t!@%2wu-Y;6hr~WNF|x_#<)0S17OrdD8Q--RbVX?P&JnZ(DnA#(BuxqLbZA!mfC7 zaXca8ME3-P7T+w*J=qseCUZ{+-(sWjEvy@+h6HtV3Z%usKwQ*|w*FZBbX-QQpJ2v) zWj=QLpU+wYw+Lm;mvo&P)PKuY2TXOIq4munSM~d!U=-OB^6Bi+lev%B^3NW9Fdl6x z`2Ki=2s-=f(RdU((v7q=oxS_*XeW@8iGlQQYBD975J zil0yY9zRdU&yA<}`A4rxzc-fF>mR!{en0-x{Qf8D@!eOg*N^<#&2jV8>8q|MH;bY- zOB&@nr|vGo7MKV4gP3$Qd+5>U;S2|o;WBeH`)TeX?Hvv=H-JIPVM7r6aZ`v|kNC!< z{$z2(smOBm@khn@f=W~P!`%0Ub0=MdcuBPaMWsFVL*X+-o?SckBX6DW*n`~7ItCeS z8hT%Jj16bgvBz^dCWUzFtvhzi?+bkep0;C7^gO%>Zn{FE$)+o@I=6KN%Q#!K zv~TFTLM_goeRFF%KyN-rWiAN<(NUR0aXU|Co)J&xsf@>xY^E}Y)gFDS~D-UH?#IENm35K^<$H|&bIAL$aoi!l|9=Wbwc?8G8ML`n6zHluh!u-o& z-Qc=*`uvnzEmf!gbH+{wkqFPTkG#KvfN z)ycE>-7_u2`dN)6QBf4%>3fj~se~ijP(&Kv*E0gfz_GypLJlq_tl5C&Raalo3vIil1BSJB@QS3ez?wt;3#5F_js*=v$J1y;EX%{KY*V}v5zn2Q_ zIjtak-V4vxcV&o@cwz}_}EhfmXa8A5>{N4h+5_SZ@6Dlb$M7?2J;ZaV< z1zZy8BPTPfe|im+&?HD)s_P|;V6}n*Tg&hog>cn&qFh%GN>Z#KXpzhgA)H|#v$Co8 zk|Xm^7uJ6AvHQQ@|EBlOHa(muvUcWN^6aSYxQDyhoawG9BD3EoR^8;>n2y zyp+ADHmlY?<8SRR1F9xoklAsEN0OeCu{A^RVLa1bYbH@rYPDtTY~j#zZ_4flgvK95 zyGulEqsEF5>CbVilj{y=Qhq&f;%g7$E`{ipN@EiiC>V9xxyD2S3iQTz z^@~2swo{;iD*u&!E}hr6CddL~IjS{yFMp1}fIA--JXYqMV=lCi88!dTeN-Tg$Fv%Q z0b86^RKG)b*e&S7!R%`5jW`}PWl%Ad`B+Oz0w*Z_6ekxgtlfoGusx^5Lu?V5ss)cF z;m3ITx$#|j-@iDQ)zkV@Tw1TBU3^!5bX4q1I^4(EfL(lf21!D@z#2{(W;%b41#xzI zaD!tK4+4Ycf9JB7oYih!-&F;fn|z<1`n4bPFgMdE6yaQU)8R2On}=@apr4ED?}Zjz zQs)uPpRY;^NHAROk+1JLJ6%!rR_$TG3>mT?)gIFPRD0C49B)j+> zO8ze_cLGkgmPCL`k;e46Z#aMo9d-ANcmM<7vOv&6aYH(zB7TKhp2kru*$E=($PUHM z-gqWQgY<(K*dRR`M{yr9gAeE#J%EBqSr??N4&qj%3z>d>8)8Jn2Lv(<{X_kR0BtNYoxG82=)55kc6 z!BicftCQ-I*uU&&C!2IYtZPq>ME#KyavfDomjUrjjAwL8Ekqb#nQwSR)PrU%loKIP z+aO@f!m)V6ry8j!7jHoH<(rQp_hmsTFa4eY#XFwdmL)?{wv*(|w1V8DAnQMi}Ez zVRX?yYI|fNL8MHoR1w;sEn|oIlO9~Z1G9urm#(4ncEG@zVVp)1`O;m0^icnApx*VM zT^jV@qP7Pku?*jbS@Sfg&(1IaB7F9t008^wirC3q1BQs?GB-oSb#W}PM&BiJ-k4r7 z971e*)Ic%ZqB=CBxdV>vfa?Y%1HbumgHj5Z9ZuC3*Z(Jy2WFG~s*5hBk7<}G6sjR9 z;Lr);iW;Ow&5f~)8WQF(f(!~H%B0=nCfvHXemt@={hLv7QImP%>B-}Y(G8t4-TT~z^#)njhkDE`8LI>k`4-tXppoX7O%ch2O;^S^LXpY^X2B{{r zkCYBl&8}wOYZ(^ohEKZ0s*BA$(I z9*UFlI>eY}#1pKcKXb&B?R!T&(YYY)CF1#fVPUz3crHskSMG!gG{p0ew{ygk^(=L{ zxLMc|&waZRPpIB)&Y^K_gTqtVwInmB4&AK=oO3AK zyLGx3L^k4NZ(8Vz8-U6teRHr3NzD`4^fK?)V&B?Q#a=Mzgl#9t`!|oK}95ql& z3bjT#LE+F_t&PYE0(RZMmc7J}Fu6dWkX+G5us9p-R`=D5P*L}E(;z*R?DXm)tJ&Nk$(S97S#+Uu&( zeJC^{H-X)2RCguKQ)F7yY+?9)qiZ8fIXM5gQ%Cip_fJ8yEJyv`^y;zG=eka_&krD| z^@uKCoryzBryXuc1nxyKwS-XUz^H8zRuNwW0UzD}kg$$Eg!m3hh7Vq5{N?>|8Y!E0 z9K_|X2(awo;qU@G3*8jxDTRRu`gzz+nkOmE4gO7`(qM>;0X-gIrWZ~kdTwTnUl<|9 za=@#rU&~HxZQTJs-VS*Da1X6o(VS7TgPpM|_7tHTi0)9IyT+V$&`&=L$E6}K=!_3g zJ+v4$yQ&?49r|U)r*1fz0<4`58_cTr>8#gB7at~}E$;vy17jx%z0lPFyP=0%j@Git zJ;e^1SAFpSk<_sUhi#o9sMa&6V6Lrr33k8+fkBI@nu_I|16^s ztK49Vx7JrEhf%~ih6?RG;HU?I0ClZ@vSz@p(FUrbdDV{r-<$?~``mz0nmgdowxe)G zEtT*Mg!DP{nVGVU-;r?v{tVq4zoVDz(FpqBi93!bsB&d5@$6l4cYgu7>1=lD8@+2UYDGJdM zso0coLP4tnMp7_{IBkPE@tdc+t`csBlHQqTMwPc%oIAhGxf-DWhJEr5sv&|w2ptw3 zw4Q!Kq<(`){e(z3P6i?+G#UrdWX-_QLhTG{LNv^q=4#QOh+%ptOnFjW4x_+_LAK9- z1@Ph@!|oKmWtM03qSu;BKTSEMeV%csL%2mW8sC1*OlWu#V47CKaWWAcHo7jP&ZC}6 zVg_P1OJ}o!i{kC>z)eNRGnWGl8vmL``&$4=yXXkeZWq^6inW6)B@bCgL{rZ>&elI4N`bS4X4Nn)G zM3{C?=wbMZQzT+xz#G4a>jxykuh$W$KKPm>z9>L{@HMKz!mcn@F@;}9dMGA+@SlY6 zq{kT(&-B%A7|Es?;kf>>cP59DsjHd(JKh`6-KRD5h7sS^XZR*ji;@Ws4^uff|9`|c zkrEB~tP5jA0qQNKISXf3_XtoxYPcy=$Wla(dndBU+~G zArR>^vHT(>iAH2$+LRURGp*dfmw1$5vsgwz@@2>wuT#>uM$VIt-h`=x6;dscqK!*~V;rN2inp?DQdgjYLGy1ee zFrs=MZWoNk<2Ow5p&}4e$(-mAwTLqbKKg{Sm1sI>6XI0pmYsnol-mP#H#F|AE8Huu{ad*9Y#&)M1-TbpgA zp4?h$xV4lLoWCB$gJJJle&m9p4;hE+}U869eedJYu zaYAq6z>JT8I*AQJfx*ah_%D^Q3W&Nmnz86^eNO)FyXz)-xi|OKr`~~&i%(cxw|+@H z@ebnQ-QD%6Y1X)>B8tWRvLPDZ-Ul9IL{ti4HEhOu#<2*gNgX$EwNNOsF{>VSe-sBUE)3o*z~d6AZ|;T+*~Wu)>uM=} zOl~6EZvlVu$gTSLsT3aH;fi=eZq@Yh=+;vq+o2eZkzG)Wc4Ibhw(2=`UUVBlC^1^2 zfM|O*e0Ev(qqlEM+TcVL`zo=fn(nE; z>jxixJiCP>u?TSUowAT`hTWUtDb{hszNL%fP*SG%#yy3Y7TPr%ELCP$e;NX)z^L2> zIMuF#7>Qr<484r&0)o*iEQN`}d2R~xCB0_HFg0LJX!4rYkab~Bwf3w9)jZ?XjM8Ho zq_t7~TaUd9?y2@T0(sdh&;u%8NQ%$pre`|L@DR8&aR`o{Q-orOuA{8bn8#itRiXCH z4Tl!D@uR&?a%4X%Qi?;=uNYdconf1~hkZ}WIu$P_(?uC10VYJt#8!~sOK}E8l0F1y zd8?tk3b|~!i4zDS%6Cj#dAtBP&9p@HP|zSTl11tAYWoQ&nejSTDHDB5g*^0+lkH=7 z1N#QEnLOiI!p}95K7iSvJ7k#r>}(6&e9^ehfjjgeGB?lqz#d{tAFwdt*vo%tQ2a+X z$){?wTXxGMACUD~VT5jl&IVBM6y-e2EDCSkV#mH3zu~4(ple$wu|nh8up`C1Z9wMR#tQR6vzdhdW5_i z62DnN$rgE;Rm@h`KvLeT7ha!iz#hg}mw2y@Mf|oj$el`4zD$R_;Ypp7jlgpWyZ$iw zzFx22O^52YeV4uZOnqW0#gSz!Q93sHU%d=bLL`SjZaj0QL=pxi(CAS=Dl2wy?p!5V zXFkFK&@4OJ#qF!EY8EETnSJ{^5SzuwO9_-&I2AvAJMisb)7wG3bz9wxCH&;-Y(iqH zfao%_zY{9f%06IKzCVOs`oe_a%ek03Rh3@DxX$&@lf6_~S|9WaA%_{G?S;Z!{W= zKK?H82pl|~gdLm7CqGn7!iqG#mP%hRirf$=#u;V7CM!QC-HSUljmnbOsnwScZl!PNYo`sLY8EfsGznw;c$jpQ9ECM)q4@zy62tv#Jo$ zX%Ew&tFyv=aoWdFtA3@Z|Dh}tfcZM*exoe975Q6H&*wt#ZMtJXvqbXs2Fi^38R@}a ztFG(Mzb=j=L&KqvFT#Pc@rbcix*1KgsneQSl^DkXi9h?d86PjosnUra3h^bt52Cv& z<_a0hmJWGA$rJ@4E5tJ6RWz&1LQbBsM#k|VTm*{^L!x?*)B~pnyi34D0hX5%7qsG` zW^MV8c#-}&7yF@UTqbCS7%jgz>@Df0>JNnmqlZ5)4vM|{sKQ6D{*SP0F_Y~!38PGp zmg86X>0G5oul}2+%%2ijMyLo{jSvk0t0LZhR>G4XJ_n_pe1Nmem!ZWqv2;7s1I1c~ z#t_N`Rj}eK)1n{Y#31<`8RrbtX`jULip6D(p<;7QP=4{JZTTa%+)FJ>SlIJ!{vMfi z_I;4a$=6pAFkQabeOHY1MJbIa81ytz7uSK|4?~LlzXFRFD#Fs4+)^M9~Q@wXF5Y;~kRU(9}vECuMXBPkg2H*9uZg`oa*cAZt z{oH-*NhhC%zGJmdH~goo*2NS)48{1(y`q;)G0mBHOb67PLECORbt>X|;RTUCS+8ek z_0?QH^{ek<1rTAgR(Q-__T_AebaH|8o;Vv`tPhOhEHrjzaeHnrw>l&nFm9GaXJCqm z2k@amrrMeuYi7J_<;=OZ6*B05Ero68!mDGV(_ms_BeQABhLbBe8SE0Y(@%!Vp?<9D zfB^Pdvd5of`5|lWNjf;*d$g+dg7fUS!sHN!+sNZpKN_8_7z!kqyj}Gp@xatw0L|Q9 z`PsGVzKHy3`T-*-;0I>`4Y1|+5kO5$DIb&=1j)g>>JRbo{!Q?FiJf?xFcVulMN+=m(B{#^@)TdX}Aeqr|ynr9__XZ-<@EF6zG|4trQ_7%Ur*;9?HeTzPi8gEThQn;r z7sFnKZ=~;=%HxPw%rvB2li0&XB;qDz54zQskh~h%II9{Kl!K2wLiBkf^MJTNS>Oue>H&LojK4*M(MOj5M@QUg% zN=>wAv8Pt6rZEPTVwEH0h{K}&|h{JBIW~c7dS0hL&mD-7ZeVnue7DDUZ4g%i%N|}+H zxs>XJb-$Vy#{qHDg%ma$jxAF(I+2E{=P39Oor@6ZD%+_GYIlSPE=i6IRikPP>eSOA z^_ttkZPVUa5?NF{VyiM?J<{(6c=kIr;!Z>mHVro*glGdGVUR|n+zA%Ce;xl$nN${6 zh6&yU%H}*xb^F(cz3Gr@hsIL%x%BMZ0(r^l`Vd{!>LTkeWKW1#h`tc5=DHHs-Uiru#CVe5iD*0dJ>Lmln%p z0#1ZaWe9PRg^@ii5A!RE$uW{SvO#m1f%0+SO(JLjU4Ec%UHyY^dZ*->v(S&xU4G)f z;5iT~8F(Ig2*r2>Ta%$e*Lw9653}QbRMNijGl)t5!Pn0@Q9s4w`h7f^+{dE*rIN@1 zz!r-$v$xjTW5a1cpQfPd6maEN?yunU?OboY`V||lQ}qWhN?u$nFQeF8US7_Ymlyjz zev}v}N?xY($TYbu)qSM99!d1^@>*CLLuN`g5ZChPPqJ%IEi37jx>tGrx}tqaYJzK) zhv`xJ@F_oBtcQFU^89~_;ve9 zgPl6JO!|O}Vln-`7INIH|60Q;hKP9FtN$M#6JZ*vN#Ej7jq=&B8$SLsZm}lA5uFlK`HwbIkdo zwmiPPvQ+fAEaX55lZ1WnJw$Eo%u7Goy^?#rx4nZoPFcd2Rh$~9*EexCAaKJz6(09* zVxRx6BnCaU-ip=9ncz5H)kNf#$QoX*q88W!TPvl(_>BjjLg26}*8b)qj%ECqmp6S4#^NB&{M5p)eC1#xnbXZwMBzPHN=mxI)1>1SXMnpS- z?nQdZ(ZlyfsRc^`Q$8Sc9E}Dh9^Rx1XrgZg?xL;0_r3PztjSqn!qT^v>>8dgX`?n6 zJ+f!W54Tghec(536pVnM_m1D=oQ8|+=fj)^J&3K-{B(j_UzpAdo6esvJ3m%Z;1^KN z^e?RyG$;GnnR1yB6M~$`FJi6y1X9R)2n88uogkXj2XCmMf49~@u(3ggVAbq7(uMp5 z#bI*jNJ1CXLuI?d2W(yGlRP^?RQVo$fU~V!3)YMH!pmpNe|D%#AFk-oK#Je=ThR}) z$JR7aWcp@wk8Z4T1sqcLl)YT7WKPCM*k5krA>GvbU{`Y7O!YLR8>yPRqCVhrx$E|^ z_!>z^F2}M%dP524*GWt6uOdlVR0o4&G}F+gr?%9WL|bZ35cK#y80cJ04%}y9=5;HK z4fX?j^GRbZnWRZ$6swToG%YHal7clhgjtnKg_xYd)!bq4=guMEiPrJvr9EQ9?F6SP=M5M$H zmp523NO#8UFhA}ZhQ_z(1jDs0gven!Rs*e2x!zDwLzUljN*2rJLCv@JXIP)VmMY9< z;HUR!%9oKE*!$je*p~w=2%i%HMnMK%DRU5w%yP#ggO^ix$_h8lHaV{rLx5CG;u1%(KuI zDKUazG@TF(@p3bQ#VT}sqFP9OtV$7V5d=fu(;ygXmxN%$7(!(bbu5hOk|^dl<`CuD z=`sk0vJGe{PIZMqFeAU6j?bzb2*&A0pM5zHj0N8y)&;Z(pgdWUb-36fSQw}fW4Djr zsxNRPQ7;JA)eBD%Lps2KXY8Q>nl%cyCO{qwc0x8)A-b!8Y?2d^t%=33x|c9vF-x90%aLv{H4Ih8otQ-x zXA=je&pKjmQUS0@QzgmxCqJ2U83~bGg-mgRCw0nf9F$fta*Vhip!@-w#UCD`3M?2W z*qxF_NH6Fhio`m!m-G-ucCV_)3gxq<{Bi>P<1GK+Y>54Ijm}g z0yIK6#gFXp6!n0;RuG8Z5S$%(R?y*0_c95?RXFWxPFZX$p#)~O9_qwUW7j!a7NDySKygp%nF` zQjOu5g01Hjo(uEtRqlpEqM`>2^@HDyGB{QVIzgNx+M!$N{Lo`z*`wJfArQ?$2a1uP z=;W{=?~EE5&@?>p2Gga2-TfxVQ7DE+*H9(M0_C9xwrLh+TR(y1I~J#c{HO;Zx4Ud& zp?I5va|h$*tQm?<=nEn0Y^+%e)^_YCM>>nfK}Brp)`fo@nS5ydWgnWiJTqX5Npp z41(%yI?Dij2$=GD1IBHG3?1X_ECcEi3gPya&N^t18`z<)7IfqBuYTU_tV8Sh6~zl- zkSJq^o+XOAz!y{_p*z`KHS(YK6qA(Vh^U9pa%1)-PqQ(@u(oMq7TYN#h$p*^83HK; z!Qj_}Az=E8+$tl^LR3of_RvdXBX+Rz2a=0qWzz<16eLKA$-NgvRCHzkXv@ZHw0+~% z2|1tL#w+CFwBfR`COyqdciwQtA&hP(?Dn1u`5rk~?7iUcL;l6<`7@Qc;Ek2zL+<@d zBiwC6)fE3+Y^aoRXStq)DnhsIA+mhVHdG_H>Xr=^Sc^=p2o4He_=d`@Ur6YpLE2V` zs5@_@$f!B@af3ihPxn2Dqxc_{w;QRa`#yH&vl0n`c4*;(H%yL?rQ2003h!3m?i;04 z%ja&RH%j9z8zmB)d=?v}QFVbEr68u=ZV5zxX|q8ZtzP&BDJto9 zNmjDU#s~yaeR9DYqdT^3jDDzJ;N)v6%PUbjH`-4#Rg=$F|mC$Uus&O@*<Y zufdBPpSeO965d572l2^EnD8t_STFiz(^XQU6YUKY*m}72R%(VU#q16BPyn#ys!l(} zv~(xZTU8oi)FsJZk-#JWxW{3TeKw$@a)ZsNG3V@%3mv5O`TAxR7et-m{BSD1EKW3E z>I(v48IYsg?_aIDKT>7zz$(l5a8O@#D_)sTW#pVNu(K_bzA-l}yB_vUZqx?#bJy$F zxU~bVfLR{)X;sP|5(G2SQIzeTMh-R!6{(NIknP?nb_?O^-omQVr9epOpfG-;(t8`j zFcL4T;zd=y_NF^tO7cG<3^TFc2Xe{s1#iV4W$F``aeYek`AFQK70T6YWIFa z06D*3cV4D1ncRCCn@35l^1~$#T?)GGKQL2Ec3eT(I9n--b)!-YrWx1kiW^1qc=ZT+aT@4eGu<;GGgY?c_N<&jPtq=wKl0HN@0dc@-tj{FO=30lU{!>0OTUtb$0BZo6y$PC z@(mmDiYoe11;xlwr29w=yl4jg)V6^)FCL%0sCr+OyPR+nXqOZ4Nq`zZ((CMy3zq`| zq@`R%*M2CrK)|(tAvZ1`i#KWN;+_v0Fa1cWlow?209i2FX*WbeVYvW4MM-i_3Dzt1 z;k!gaSpBA0AleHXw|dN&!5bFpWqXM-7lt+YL;+QxQ_=`P${PVdbOJNaoWiT;s~AxQ z=wc7rmiqN?{m9S%X?87WxNw7UNWbar3&N3{7GFhRHOrg|Wgq2uoHV^~w+bH2I9cG; z@Nl?>CW|axpOE5|`Ew9q?P{#C%|O~dIOVPJwaq$9`)Dg;4)_`4;}%^n6gvCbtodL2 zW1}h#f2C=WSWe38sww3V3(4-eJBX|eD1aw$1+&CJaq*hW>Sw-2H~Nj&-oktI&eu_C z_JUgu+dN;OVczrwFRzQw*tSm2@{MK(2=0>ulBOpypaf9JRM6DP>(Qji2(Sjom3R(( zVzAm-rQae>`i3>gH|h5Xmep8hjkI9Z8d-5U{V(gwHR`VBVt@;?!GJ+COX=kJX#6x9 zqSc%VIclWq0Gc>E(6t<`^MMqgIZhswwe~Q4OSw9ea2A=TVqPLKm&l#KYDbbaSosAs zAbQJ%kDn;#CChdrC;Q|#${8*NPcPCvfeny@rq}cs`KakJe7*r0=IjJA-!8&)^U2%u zFyN&(OfAkpj*MTf3N8amNNAj*#7LEmuoG=bm{4)tBMq+a=@n%!iyCkd5D6JhZ}JI( zVwgVq(mgB!K17=Vq3s{=u;{?H{k8O}gXQ+upfi4H*!%%-Wcf;H-oX`u%&`2{AG3!hE zI={ADI)NmcmXYWQN!zrHzy&7!X_is5tmc-{ce?Or%Lq$fvy9NJ@3M^28yI`LjF6ec z7KD&(%SiEpWz>U~x^xKtEU;yQPKd%RmnK{V^^K7lBzup5p>#?Fo-5dC0PPQ0VEWuLyRXG`0N7#rPCP}v;y+;?yk#MWwDt!J>>=SAV1DqI&b=um8v!+gVTF6+&F z$Tz$5p|rFUAJTbiJ0I$x*7Boa0@^U~q_j}XdEz3A@L~Fuc#=t`TAl<{w|@}6V|tQ> z@7T8TIPf++NiMSOHLEu9BqwG2Ysv%{P7#jVN(Vn|r*C`dST*gOZhsy8u$kyx`5_qI zQ3;~rS}MWgeQYLs9hKlgM8(6PuJLHX>*ch9D6^ z7=lEAB@KxP#wt4f-3h33gyF8;34`a4?o1eb^WRPwIx%&jp{0zpBLKTEdMPcEDuCR+ zwqn@_RoH#m2UXsE*|+nsz4BQ0?c{8K9m_tb0^`{JI+lGijbB*yk_sq&x9mR;#o)W! zWj|w^-Hx|i7JtuT@ZDb!gB9U}fV!!u5zYU56NCT#=bspSPmAdnDh3xbL3r2*!o$sM z4*9KNbHVU}<|1@8l5nuTprpb2f@lWo3#lnsp8`^niIGA-H>~fT-C3V%+jfm_mWi93 zob9G^i*Dw^Wnw_sO2vzfRJ^!JEH;X9o8-yEq7{pGmz#qD?#LfQYHlZEd-cISg8}Z& zKHF*AUYauOD4jRva{KFGpX~&1e;w?zo%QXngMBur@CEj{jeUOp>1*%3P@>Yw%O#{_ zGZhKy5ZD|vArLpjVR7{DP8^<7N8G!a!+t?uo3&;M_Jv6g{{L@%?XPq6b9b-+h!a{N z>_q$ZBM!q+vV@h|hP05OaMX;%8SGfXrf7YWvKEV!AL6q-XWr5SLHq{R1xD&Oht8;{ zxh!_pjiqFb5Z)|NfMJl@`b$$N*P;&WbDt;E+V;<{Tn|qRj;FQ*Sh_L{ZL^-xNlY9> z%V28Dt6|;0p;}zSrly(gw+_AJ)chUBTgHcxsU5B7>r`db?@8ziPnVmNM84+PMe4W~@s2?ms+2nMTmxcl^Mh$XZ8S2ACm7LD=+fhQR- z_>F00xE2xcXf&Ty4l(krWw<>4eJ;ojTmUU<)b8EwpF_DkZxLnH~xW=1B?2aL75{0?3?*P z{f1jjA*z{K5;!)h-Eh`R$uK~t^mUpn!Z(-6aZ_Q>#VrG1=`A&Ol_iTfMhcJXA-oP) zMSMgxB9#E*7^hv}WHLL62)AJ(?(t_KSUq`7jg!~ZK(8rNBN3L~53ece6NyP#+e8Sa zgQH)#ELZiU^Kic*qAJ0~LrIfPsu>47HbQN|i?Gcnc$ee)z4yH{t1qjc;xdVBhPj<) zk~_bu0FD;R-t~t$9M>Ol&>YsX_MmIsCwMMy%zUfny49t(pa{)7kt)K+e^x~74%7dh z^Z%rtFcPNc#>3NW9Wv%`-i%Lh*tu6)Cr27b5R(Go`MfR+hmpgxREbZiQdCC1+88qM z!O}e&uLz3MH#5X#>nAD1QUnY<%hzoUGdjPfg}LSk4ALqjA{%0YM&J~Ozc;vM_z(+) zr}3mu4YtsI6hPSW5n!2ID`rXvRkweccAVgIRUgkkLJ69 zi`5!l2{&09Imh}b+<+I}dBkz5n?JmnZ-`}78 z@0`6)vI7AlC+KhQVa+8WC+&v>AzQY}0Z--{*OMzx~_ioP;3Q zjvcZ%`}gnt_q@;h{C}T!mN5~}a5K>;FIIS*r8;Vcv&9$Y*OA%9Qg{%ws6Ykc&+PeO zrF^kHhc?o6$^9RilkLYMN+`%m_GcMY;Znw#mBCQzYFFjmft0a{;9uG~a2lZ=23V`M298aR%LnQdIQ>E#SVT#Ir~ zB-d};u$gX{ze)RVMD;MXu~R4x-rSg~SuM0Ep$%;f)y!VRyXT%rZXp2R&*U|*0st5SG=S$6jO9xkmCpjN7{7!NO>0cPHvIJrD z_P2=hcJF>!X3Y91C|RGY`|^9}^jP`D_u>cL|4OK!%V+Ep!PRF&X1S~eQ2g}$kb16q zo^=cYtuaB9K?txXcLtV^7?|`J*0!d^b}Q+yYf`F#A{DUQp6KfTOx&=3-h9Ysr+w#gbH8hnv}L`Rv?0v+QwI5US;S zOgiaNm1TF4KNRaJGPn46=M!-#XS9(HeVKL_d|J_#+0#ff;36`SEyD6uDB{lXH`Gg zK;4!qi__k~W(Zw4^1cTXwpl7in`l-z%>DUEvfl0wjc$OvGHS(bX?CY@Tikmwf#iHj zX2QZAks@(U!BY!e9<4F@t3NO@rJsBWg`mV2@blPjJP1#mu|jJ=>kD}{qf~~>v{ERM zuoUJ3j%gNviDsQ1h$w19?M$}tn{%G4k?SKLR1yya8Mn9*1`bF4v?8r9bk>9 z16$uc>VU#)M;(xK?USOyx+3`H+qtv2(Tmhxu^vc2J^+<7&(8{tAWiD(uyYr@UAe%% z@Jw8wxeOPOHXtm(z-1B1kqaoUcodOrTmWIO{Bn6Nz~Ozy1;_>9jAg_HsC}FZNREUH zfJV9Uk`pk#F*L7Gpr+IQ%uvi|f6Hk<37bR!&(?V_qWhl z0Zu|7FfJjlFOel{=5igXYA9KZD5{2Gfgd0^7i&b9w5px{@;NAGQR@zm7y^?t0h{R)Tj=l^42u5)LJF4+@rhMg@4I%^%(uIktjp4k3@mlOGaWJ zKFdy0W^pG45A!`gm8Fv-!elFNppYE)mar5#0Wjcr??3L)K&SyINOq$4nw-I8X3~Vh zd)Ho%TB;+K;2fg;7G(bt?Zuh|Y`)D|$QMLzZb7UVO|<@oa{6tiyCe%&Qa_Va8sP|^sQ087LToopcI90>{y4@pNEzxvGNaEf3Rooa%!Aca{CxUqzh=%TIuXVIg8LtC|>w@3^U z1hhhga_An0Bt7XMoaXh?6b+5K_@qLlM3e#aFji}UEn-=Y{BeAiu3o|~svEU>Y!SC> zd?nBdD?$2OL|hVRD8pr5$PCjU2$Zs3P)&pMLym-0DZ)s#(tOi7OIxdeV@T+|a8!bY z4v*9o$Y1Ys9G8SXrxm}LS8*z1LX0!tJm$d)s7tJu?e9cmZucL`!AADh+yw1_6~lOa z8kht?f~AmIO2fPLai))rQvZ=bOVYt=rk~n0FPg+6;}lVXZdf=bON7JkkWk=~gifX^ zcm;VUyR(f4;Us5~vQ~*zM$={LXg-p9#&3J~4WQpkBUB{PYNMiE>NBAWIBLh8J+KBA z4*|hSLqM=1b#*v?k|D@mo`dACj2QOz@s4BC#_u+3iiOSlM57 z#+hC6rDnY|l$De-iMmkLtk;Ku@BYJ-rqs>jIQTGe2j zmb9x*qCd8@Gj=`Yv#4!sbs1_sfm5t_s0iAjZvj;8+Tv?D^+{~^1C@`?ZrIk}n6$bn!FI5tPjqyslbRN@pxIyVu9 z`bc5&cKVu_iAx0{@2s-F@nbb~lo=Eawn38BPXE8xi=abc68jMhiBh_ujYg}@Dkf_K z)2IB=F!7UDQ3%%}MDmdyZ9K)bnphLg#K-^#| zLwPG~`$g_8bB^C1(fiu{@#@~=!@Eyq+Q6Z0w{El0l-g#SY?gn1){+a~jMcYSXZS4a1eS;4RFw#VWm<7G~f*ScTzO~fu6Z9!Ia%bW zJcC2#h0sa(JGzF#zF)Hlz1L20Q4#k5NI@g%5^@Kh4!{ySuUANJWsjF-g`)Ggr=<1D z#HHC}LNG*s?jEXd_IEMcQr_SNChTh@vh(;fY;nO?-T7`=rMK`my8SwT6w?dgn?@ah zl1(bBWP=)u|X_WQLOBk2qF+Q!u=nk zlJ+=!TFb!42%VL9NF`Q|muN0m0$Ih|_+ypmkC)(7z9n;DB*EHvTqRySUV<~~mXoc|6Je7$njYH>6i5Mj3ViOCKbX`=Tmwz#dn;tQazmK z6bJ-4GF?@L9e+^UP6xNQ)NvcG?700-)w-HF15-sGoVZ9ca^j*5iO+!Bjnl#H<_Nca zMS#_nxmLV!&qwLVqG>u6@-)L8{ zx%4^REkK`LB%F6xVgv#x_KxJYQur-Czv(4>SeP?W~4wd-^G+X$}6M{3|G2O z*;3?>Z?!Hr+Pb_0XEQm7?Q7Z~J*ATvuzyG-qGJ;5n#4swMOG>TBp-_a$>(;I@gT3W zjnySDV;IcL8GnjyB_l*Y81fkBn9D{Xaau_XYy?Q*u;6M4_qfhc-M`XK>jkW`bC8#l&WhTP@3>wDQj03B zwo1RRS)HyqW(X+9#!_6-kZy*Yl)336t4tp}dE$`;1W=Ua@(5Q&Ye*RYO%MmQRYO)d zos-oOT(xW0PI(2=*lWlJZo;oLPiYX6Ua^||8we0WpeY@4+^=OqP_=bF$j&VfSc3|O zu`;mcSn6DPF4A-0ee&qY5g?Ban;H33LKAL6dQ;b&B{_oZV3fFr35lJ$X-5o#{u!E8qKJE%n=B+cI>-dtws`&R)e{&5_g)@qmyWM^~!M2Bu#sQ2HIr?U^f5Is)tZjV) z_#|C%uq#6&76?!K6wd`z9f~LO%t?XjSSLm4J>r};3+R9js&J?@qJ}&E0HU;>4-l|V zfKg#T5A4L2qZ!_|Y}StMF+=HvmhmERR$t;c%FFx#e2K}A19xO4sX4M!=^S;P`78@6 z_Ggko2rm_pLi4CfeTBYovWbPi*t^1uuN5(PX-XQLSWYS%<-)h#rK7>*+lNeo+td+| zwrGv>ZNY4+B`SdkFB%Ymh}m-J5jBS=epRK*$_3V{8NLwZ@h|%RT>Yg5^_M!S*lH1~ zvrsTLnTu7;o9;r>GBP2w%CTo1KM%`{!`~G@*|AZgk1~ib2zSyOGd_h~T!j~h{pExI zCWwPwM-x{qOo@;#LGQ7ls#6wXCJ45|WBW}VSC?AhV0p8KNnypy#flqBw#dF2;&bUB zGrI3o_p(iz7k~_}7iF*KgGcPxysJsFg2Da`G${t;zRm4@T#HxPqte}Jk1n@IMf_@~ zzOt|n!dtw~9aWwAvUPd|V|C8L`DnWIYTDU+7u%zYnSyJ0bx6lyS%&ZjyTt_4njp%kAhYjm){7UC$HGd-*0B&TbMaQXVdhRmaskvzdWnRhz4Fmqw4@4 zyh2!bBc_%lY|np&-QC;s>lLa-u8i$DfkMiP@y+b|>*S$*@>_w-Fkp*fe6q`LG%*gH zRE0nGozBk?Lck#nqgQ8<@&f z^g49{YQrj9xiP$D{u=vgU2^!J0-sLZ1aKI`W@=Q+$A4^7_|iHKy@MUQ*{o<?I_wbh6)wF(Iel4y;Zj73@X|pZ=I{K*V>xC6U%di5+5#%S!B8B}c`5XU^c^fIk#1L`|z>Plmc z^h(Q4Y4k3=9^}KRa6Q21cm^W`4P-YzThkz7IV5PwHm-J$o|&zzf=T>{9rJWl4%%6O zO#T(K1W0&B@H5i~PmqJ`$-1Ovr`f_!WxKURB3OfC1_X#}M_XgXxRoF?hWJ+A5Ft*K z(+I>J`_7%V=CY{?bO6VE!K%!%nj;rVXQn%{MHqS4-D-l{;L7ICBqYtutcpz|&_YHD z2%yLlsxdY~HCxhBv9T2ppTWvv1w>`g&t`L=U^Nb;2P3m6i~0mSi>3WKUJ>w!ye42E zqX8gM({9*8&uIAXkXz0(Ma?J3Caq@|;XVWk1Ol27PQ` zKo?!BO)ulNurNl2*9?9p_}`>{UzFWob@AsYM&x$?I1F$myVRY6Gug!~hPMa|%!70- zXuZLzv=wEu>v>40?UYXOE6zs^hoPkH{x__uYgnOPghfr&Z-B#jj|ccY!}iZIy0>Qx zkM+~`7gqU9b}dQeRX|c1vIc)Ob@k3Y%>b`s$ zJ{<;r)d_c!PwUJQ`rza7s-)`Q7f0|_D3riHAZicTu+^#@29ip(U^#iSHleSl$4uze zw7W%R#nm#erZ&xRx&D4;VqJ3aRF(@j<3Bz6Q3;zloE~LU-a^2CHAq1+pnQts9{Mkk z-CJH5y}71B1$`U-{38pp?CjQD>I3W<{84ki&Y-|4_mK*ttb2q4V_`Wzo8{cKvDzpF z0s#stDORn|uH^^(dILY;*EL$Be1C(F3|z6+qdC)Bx7dTK^_`1bH^6d^AFa>OI*|y% zeFMGnv)tm%X?f7x4PzsTfI}}q!{`cQDllvq#)+TZNQGEa>Zp1R=bu@>%jvk-$H3aK z-pCUlNAN-5M+F#z?lZ4V79OQ@ZG(iEx)eMaAE-s(Fh8A)CT&QG*r(QoZqxA#0%Hh(4g8HB3 zDuL@Z6mwUB1pbnRQ!E<|ZP5x{o?_PNMeL(A@=3v$0dgpfQC5CH5S~j1Q|DdVV9<@{i3KF?#mzsHMbly zwTHwY_5fcsD&?mEmLNHR8tvFz>#7l8wc@_HK5hD^y-ew6o_>gE-ecyq1R-!TA z&=o5JB{F5z3XvRC5@^d;y68FZkY;`2cOmzRw4tPh(5p%UG;~50^kIb-4gFyS2+pz| z6f5nSZt#)z;|;12Ru`lK25$q2hl=*RKjq9wD^oO;K!gcN4$~*A9;8tOGR(%z)&D6e zft)lbdAT+*kUVTgf=Dkyq{v+x^;SDTPTG9=w?~%jCxFrOkWycsbn}C{# z#OK)6>?~CYpimrO)3JH${*|JUT#7LFIgN{dekE>P~67xeb z*gjIRq)#C(*MK(d|7WfJ)uK2y!K9jEtVlNeCwYh-nM5JarbG|(>{7h)&(%IO(NHUr z;i6Pr7xsNgck#d;b&v8ZK&9KpbE7RJ4(!-3;N0w(xn{W#@3-l`D(SZJ0 zT0$!oi3dSW{dcff_;8$d@T5*V+yu@%igs|66|{p4vLYO8aWDYzbVMHLZ6pt(R6u7$ z9vl-irzY&2lsvF_AP*2FRHa4afp`j8rx|vWVHa!`G&`I~0}YEb$lO+u2KJzE7MU## zDbU!ePl?0%BGQmM>fV!Ojp_snP*))@*{lv&O@{2rVmlVcl#<<+y%R^;uVsm~2Q5aK zYpt>HWl&JmPMeVX?SGie4_o@V?ajNPd$P0zZRUW8-1NiApL~4or3r)}WE+7IW-YdK z_&2q;tnQ8I((SpY?|!`Tx}r5`TP$8{ZbB({Gs?=8M$4RswR@=As#cQaYfSDLuqZlL zv6JK~Q=Kz2gjAK#w{^*%etgb?cObZP$xosPh)dY;0*332{qwlBmHtVAE4vLS5x^s{ zNdRiUwP?S2*wM%Zp^hD12ZWd~@JZkiBn>#~X1W;GiMq~N<8utv^l0MsWlmBT^ z`C6xh)v6jT)v68`ZZ>FTbC&wOdKK2$V{iz|q@;nwK)^cc-YqMRb9)x7qO)jK0XsvK zaSTVpgw(DZ!KEW@ZNnsv(~*qLP=;jKjW$vpYTh4$P`Q4vR<%b1?9_3rB_Qg&-EkmB z42(Di>VRWc7Wp6%5a|!G^>W1UKqHRGrXGmlxaF7{f0kY@S1)mgOk6VUTAMU_CO~DA zMJU!JPjYzi&4y)he7J25%OXA6pIPwO93o7=NOZ^`Y<51wn08KhF_+}LW@{ymzBK$> z{_ouUe-HDGR7gT|+S(ZY!*yMe7|g*{SQmN~jE*Cb%19|&3rvxyoQVqrU+J#rKb^6# zszMv=FcTXcH@a$@c^mA}lLaJ?fpOu5w3yz!k^aKCFPkPLlw|-t3+LV(8k<-QBH)lR z8Q(ch9;d+(-vwhK`u!%!EW3b0_Rb#hH;G*BV9Q0$ZHqWP+h(k*9 zy?`!l$Cpw`s}ps*7(HL~uWljpch4-(vJ}ScWXKocms{6`S15~oN^Fv_1OQlp|syiG-s8WlyNYntRk z%&BDBbLKLgUP4(s-wID`6z4?RW%VKTm-PutEy4xc4d6P*Lrx7mEKh>V8#SC(2yDd>aub%Zzf>{$4 z#zw*^XHXcO09Zv%^|S9Fr9KL&BsN zIVSl+h^`ee35^-lY?do7iExoaaElh9!9`l@HvHQ=1P>U+oygo$ipcJP)$#SjcO9 zIpMQAo7WB2upx*O{SY!G@H7WgAs?K@^>jX))&DJ(AnR{y*G@C#-s+EUO-lOa>oW7y zt_JoiIlEpy)$hF+sLlWkpDk8o;CTCR^b#j_tlzRh|S&~ zo88ywy}+8?zo^+`YIcP;d+zBr`@(v&`)kcU5}Q2`o88}#tUk$EY7w|!yl2$h+Sr_1 zYytpA9vC(?JuL{23yJUD@ke4m&Rtqn5IGQ?X^5F6VS+0dIR4w4!mZC8@i%pI~lp`bX z+Kerzr3r5dT&*L@$!BcU*o@Vxr2LWkj2(?L_GFx~BMn87xTs^z|DKwUPJ3bUsX)2h zjQv?PV^sQTsZ}ocCFdwUu@{&G0 zP+;wPmt&x&CdWWck2Tmtsxn)nm!h2BuW8g>2RayB@5afA_=+0P%?eNw@jIe?X2t@V z-P*Kx4#Lky(wqVNn3|pTX2IxsvnL<@)Y#~2RZ_l^1PVr96BCV>Y;T%iFk)dFhG$PH z*a2yazxR$yFLxuE$PzJPJsXBA;7egX2}o<4vn{WkoFE*U}h$(o7CkwaqIG~7nRXs*k zhhtU7^e;jlj5U<&a|5UB+29c_sp05&4M(Wq=y(lB%NojMv|-rx8n&5mjsRK@GLdjO zZxP;L7XKm2%~yd95CE-%;R~WT1AyZyhyf>1I1@{vP)P?5n{>&=LCiH%a&S$_uSYz| zA|&8`1^=Io-_HVsI+50GZ&}DJ5N^CqgipT zDFe;oTqy!Xdus(m5$1!6{i{!e=*a>zX7M~>Z*{fPuC#H!CcZ9SKfL3Fm%$1))*CqE zQBAG`O16CvWkwwH<)y8EE5WmBzpZe-e59agqkcAidlGE1mQF&?#z-~;lhHK>DwS*D zvZC#gN)-#JG1sE$?&@U``Vnjn{{H zz7VeuvS;TJU1NEh=QkX-7FkeLAD*-)`)W_N;<mUhm}kM7-Y4H`^rO5Sz6_zmu0F@7C`bmn6Tc-`*w3yYx$@ zhdUck^=M3N%d#%dQWoyWuM2miCnm8SBOj6a6hS8JV3r8zkq99AdxrlA zFr3Q85Ty?+KB~j%sjfs&M}ZO&q1*)~U#83s4 zDN*Is@Ghm*C8|G0crHd6o820QC}P((NI3?@c?0WSO-$iR3s3;D)!G}i zBelRkjooW~Vc2dX!Uc+?Nr>NS+&*3P^!%)+Sku++>$IFuh!KjG+pAH^J4B2H<2hN3 zAK?&Xj2|B39`;uglO&v2jNfWTjVNOAJA9z{9SiMKJZ2TY(^dS=j?<3cAt@SZr4&;E z^`*024@fzp!|l_UWy2u~RxJtc!!Htp`~D{kJ=2yl_w<^J+hWfkvjB_WEjhUlB{BSL zZ5e(Ro!lmF6QLuzS178`cu}vAc?_caZH(D2d>8dFuq>R%N%ce~w0z#QS%USwW-zIG zh*8r|ufo#?cp4+jz*8cfAUF6kty`oFR=7gBGXVr3&Yr@x_|#gA8BTb{0-mzJ*ZfSy zq|j9CYUl_7A}BbRyM`dl2jQ9;xckih6-SRwY@ZTtya_;K`;;1s_9^wMeM-I3f^M{~+@~~(-4@hT z1q*^+5XAw(zOY=QY@lhLJQ~B|E(&+hf>`INDg^#Pe6lVXqRNfOU4W;7)R~9A9K$XY z10?X;9#?3z#R%iZ9U*z#o`kysPgX7Pg0)_5Pij`77w55}sI8zmS8aAhfR* zE^FOum)OkmRj=Fr#57LPaC+r$05$G(#s8PBo77D!Fa;$%puw&aBc=%fQ1T=>iM>9# z#XB#bQuH)KI}tT(+U>yXJ6$PG9fSndNm={ijXI;DVaL+Y6eAo7Ks8Dj&F9UP=N{tR zJQ$jZ3E*$Zxlp<+RW_qqGwk@*9HNEFtvRm173Ic~4caa-lg&67&a=MiK@p)erCBui z((?O}^?;T8Cp%@#FFR%QI6|^42+7P~Wk3P|3vTQ|5qfLd0A?X%DC_;aDUU!e#);8_ z_H6+mgh(HKpXuR!m z&;}5fpoR9!Q3+84MM4-i6g`InN3!5EgWVz5yZBG1xQ}W3Z=$7viqoc?ISuMpuKdHclFY&F<+^ ze1k_U-J&r?uVqQnB=AACGeeucEAfqF%h0UT-kH&=#5Xhs#JASJ9`UW(y($NWL@>CT z)ZU^L-wv1J+j*t<27_=*9`-vCF;NzyV=^W9Nj0$F?^fd5OeOgkxwv3C@vU(2ZSBy+ zx7EvuZ>z_|H@fxg#5Z>Igu^El-yR(o-xT~~drfU1Ho|HUBk>KPb&>c6srdVm__kV# zN)+G9ZCqN_w(m=r?o|0?ipn#KZ-0N9;@h^=g$#(ZV%o%U`L0Lw zl+GY65=lHsk?6E=Ic1IT@QwqgLf2xn#k@J(iL|prkmu0WxgqCZhzviv^}$3GVW4cl z8A3kv*KmzJ^m3aQ1gOf?LOvfRhvq8Oa;l0;$m}o)+v%SrHel*_!{qMNlb9G8^MQ8t!_=ke zIjM*n+;(Q^1Q|t%_a;>*r=H|WNCchIsPr_w8Q^3$5xL7-O9{$L-YCj`UGjR1$>rBZ z3H^RL-7uV(cG8Kyq|QKr?Mt?|>DRxUv@g5Wm#W;=EB0wf$A3D#OwA5ZyI~W$QuN@h zz^*%O!?$Zya~b!VGh&U~ECIeU_|WxDTlx;k^shj+5M|xr9SlQnuUs9#Cqk5G_s`&?aE>+Ucsz$v&8|M{>=&$|xl~^$yzB6Tk8R>6ZOP8cyhLy1aY$JGeWiy!)8$URd6JR(Hy`W3~LL?#?XlzBYDuLU$|5 zcfat?`rQuQRkiFId-w6Ny9M1gRnNYuyZ=zO@ZmeTQ<@*^*>CIaCFR{yy1Ssf zd;hz*JFmQZNOx5~Kc~B@y(e_Hw)}GbSGg0+x__iRp%$c1;v&odWhS<2VzN{WQ)|1g zt(|O5vXn)(FPx+sh;Z>wqyLE%v_r_fI5be|v6)M+XJ0d6P-Ka7p~{5GQB6v?!WQqc zBG>)LD=KrajVglhCPeoQ8=skDFNXh@{9JkccTXp>jX|2N$NeeR#;6fSa2nND--mm) z0I5YoD|5VAkJJjI6I)Q`rS6>>yAd0=v6P-IselgK#;-|(y~1U?uOabCT#Qa6L>%;{ zXXHXxQ?IEJl11bJ+4d(Z>d+aZ4ih!%&?}~X^7~92?pkJ}TioUbJ?pT$O*^32yOm3c z{8zZO4U?5t$MXByb_hD984=@3Hmf6~KwJ0=;&`q+KClQS5u%R9#!dI|N^1sAlCrBv zA6}^pIqV$?VrpAD@KKpvrYWup_`T=0;iMdq)HS)A?02RNQ5jpAly62JX^Gfq*Cxbs z6oVg!2pe1ji=sJ`4lyHN-xVV`xn?H#&nY-Di8lu~VFmp64?Gk9L2n z3yPWgY$gLjUS^x+Gi}`@qkgJ^usae~Cc8#{ev-^Rb>yv2{m$Jx?t3E9F*s}=)Mvyz zuy0gX){~g%R`qHpOUy}2z095;Wi55v1gL$=KHKj9fglpxHKnZnSSk`bk6KfOJV%I* z9L^vP=K}#{*^&4PG03*bSgU4D0uu$I(MdW!D+X{e%|#^zY};4+>-j%3-VjUvJmAf? z#}_O!!LoScxT2k_D;h}#8DR=%SkT}3>bu^_`IT`=|JRS&48++1K_Su-R5U-Wa67rPBlHgu**s6aF9mUY$gm;OExC&jcZY};!7*0=;gVT z99wdlR;|o09s1ZmJp7Tr_~ciTSCi98Ps{YYd=0B9*VSlpcl05o?UH8JVEnpz}~*C+PF{+Ov|N>$&j=2)cONa@6DdPTW8LgGoJ(Ka)^U(vBPg zpC-A90V42^|J7%{+>*`7$o&%!e(u9$a~8cY)MDn#S&)~94f)~#xr+gsqda_3PlR~J zvBi%^MB|VqctkYBDGcWpaqRCqOStc!n`%5i9Q(jCP3kyX$TqI%Bx#HPvRq4s8m^`YhM1JYE0w5i@Gr^^;s1nXt)&OpFLa9==&lxKJbV^G_qpkqZ9y* zxqR)b|M;OlefwRX{w~bL&SxXJqsnRZn;d9V!Q?^r=$f_%CVgo_kWwj`xW(deW#vGmFrrQQFvL~toNyrp}vXh z(3}ql_5GjDunEXrrUTu$z*K^Toe_}ig zb$(!qi_LBOyyn^HHODORJ{!mn&S#RIu-BW;#+BlA_)%(Wy%cRk5iy5>ge-lgmJ9eI z3WuL(&yOtjeA>AnNy2a6{t8d1kL6+`x=(>6n+mjQ(3w>z?0idUmUnjn$&>L~nd_!% zjWtS%c;M0Q5#Yu=9M{m5=)16URsa|=Dkw&w?N$l7Kg=`6Mcu2h{cYyeU<~1oxBc^Z zH8^#E9-qvw0fQR%Ye=eyo{T5nT7nF`aj0T0zzC8Q=Gcgyj2$CDH9Q%R*&ByVG|eU% zfRu*0IY=D1XBr!+w95YyQC`L!VS#Ov<46=Zrk*%TI% z8;5ECH$Zf~w9NySlHFQi7H+@s?psHVkl(YY*Duc|#V+NV9zqAUIau~B4_4(C9z9w)yy>&=VdG_q3%z8(?wkmldLa|*@n%%GGS=UXL zWoQy4hLD=~WEt2ylU?QZMfWpf&rR*HoA;R7ot04v1Xknd&`WHG9LlMnLvDyi;U-;| z{4^WQGr|RVc7Zn7^i7K^*ZIBp@>YVJU}CR7G~dJDo1i++)chXU^{@| zGHGsxCGu0oR~?Kh9ww{oGXV?BEaRrw&oIRQ<$?9i%n!O@>AJz171fimo)8Q1AszJ| z=5OB&Yf3}wX59I_=_^Mar1O%5#Nsfig_MMNy;>I3srpv>TYc1wHTbt_IOFDUgEeEj)ImZunc@f#^Xv@e=J%_7g(3QUau`hGDrsM@#*cJSc^nY7=vFe75^*@JX z!M;(PDg0;2u;Olb_EhTQj~k$@v`pC)1A-a_LZ~%=D5k{NFifURWiIJF8^S|6(AX@P zRT1Z@yj&(Hnx_kib~d)lP>hr8OZgRl<=s{K^VNovr_H9+G^eKHAY=HS$`M=2b}< zT}1yG%W74Ez(B!y9`GS&wNlU1?M+0Pe4%N_f$+#4wCn-Gh+=8}@sDuhvy<A_-*KSy_V^%5l%S%Ie}}VH^g8Q*($YWnKb$EdtN*Eth@w2a0C%v!c~SN;8;MIp%es2G+EK^U@W4f|RU3Luyxa2f#~ro?j_*kIEwd6+ z1m(xoXOy4clJawT3d#?*DTXI4jPhHOCMbU{%1^;MuPrOoB zOhF8p$ZH`JM8Mqy;f7!mGC}x)g-j5KppXffH#}sbb@Gr2I6RdT0YTUtqDIlaUSYI` zZ%FiH-zDuPG37d{42;p%QXP$>*a+EeJT`)>J|vhQ4kZ+x*_Eb-MXLoUPkPv*IT%1~ z(91?<5~?$=?b|bsw<=8h&~fh^(*#P+6NpKkT0kp7NtY-tx|wfWG2PYCSCUkS`q264 zbRPFZNc(@CSv}Ar+CoYpIumfJwlOJ;F-i)PFjh)ovY3iW29v_fcWN@2RIi%sR>@#| zZxJb8tnD(G6$3n%Bxd~aPui6PrUohr%p57)W5E$z7=ffGApXA0o!C(y#i)O?@;t*b zMN1?zrXjf;&|(C9BPt#<11UXvJPZ+JS~m+*i0agOxco+~&TQ^|fd43&+t?FPT^C%x zKR##Yhg~1$8zQf(Ysqpi)--0}+_08T5+V3AL;et=Lf-H<4pA1Axm!Ue1hT)8i%kq; z6m$YAM*B_Z!5;K28atv5oxC}`m?#q-&_G`?8hVgO z7NfvF|Gc0}DbxNyqsp(DLMz2sX{q!Ni;PZcyLL!uFGG{Q(BS_j|BH$U_NBZ|{9Q4Z z-nu?7fP2p35zaQ1H(e7X{Se|Kags?=8LjSYRF6Fq=Awu|r!GmZWy*f^N--anks^a0 z;4oMmSr;WtE9Q&vF!y*kl%G5!rL|>yR)5JgF0DePtjtKISgwoV5;%%eMLHH{H+dlp z0Oi2cm+m_}6s=6LUS?I#mS$CF89$#{)w3$AdS=Fw_Pi)A3k)h>wht*RDq;va6do+S9J`d2%ygJ*M6c9L;v+2sUxEHyVjp zl;<-rQv!6de+NQyIKcP}oWowUD{w3D$jUAn1@O0bDo~P_D_Sbt#(WqmEh*$Wp9|n6 z;fYKaE%{S~uXx7nnSZ~)yydiP+v%egL6SW#}Q3XqS6EM?@C(Gx^p;iJMZuumB0UXkmSJ zzYtg`k_BeEM377okbB_aXlFLJ+SrJFJ?zON>&<30`?wPPj8dBeJP3vVR;*7uzTM5p%YJq*a~%S7{t<$cJ%{r+k@+T9kN&d<9naa&r}6%tCxn(LoNr zV%KCtI5lDr0sp90`8DKS;6YymqO?JtTXAkGA_Hp&vB57m|H=*mgH#Qv748+)*Qa0L~K zRiK;jU?%xQeo?Xts(|At3!r+Gm3XJ7wF%NZEaahZ1rPs69{^}SXCn&f{HYh*D2yHvBT$+WM>FDKG-VyyW<>E4P_r~ z`AHo{<;WZr*dpiVSn8vi`AL}*82lzwEH=5z+z?%ALSmGXaK-?AlaYrrOmBM}ON}xX z;P|(E1@g^vwHCJ6zb@?hol0<2Md2>)&rg!|i3H0#s~ad_=#}+i)JCLTTCX*vda36l z6s-i*4_5U^s0I8wDWn}Y2`BP#;iHqH&si$*1QCs_J+hm&;Vb8Hya|h4eIK1b{)-K^ z(ir!}sA(KDn-$mJNf))yx!i>XKonfE07`jM1|lHKx}lzC%;M4NTdvpDgOoa0%p8L! zVK@V6`Lm`(BIwOba@Iu&G)yWcNb0*3k^z>-@bm}J!2apsN$LNYniBUzqPdtmbmq3N z_@=O^{KuP@m^V_QiiKb_SR2|qhXi9XQltM%C=OcjsfS4Lw8QeyHz;~zUjbIuu0FG@;QTQ;_)tNs0v~D?^H33_PsL#ZM@w zPbk*_QN<@iChf)^VgCTKE^8?k#JQv=O9%%cbliT@5-{Kz0s9NNhdKDcc&&tP?t~oE|pr8Mbi` zT&4Nvq$Z}7|8$}cLu+Cd;jaujxvCKQhO{*381*I1q0Bk&Ktf}pL_<;bWX`b%J%NZ$ zg@xZB8pDrBl#wR|DpUqY45HLwHk`jrIoCa#Es|*C%fgTN)|Al^-k=TDwPlCpC^`%X z@L^0B& z1fBU3l2=US?A_xK^edqzd05HWK0>d-!ylM8#Z;y4X06?2 z*Z}dA@lv?KZ_@pH=@GtMWaiXl4S<21{-kNL(~-2K^*NIObXTRWNDEm|I_OLfyC`kC zi7FWxn~2@Kc>uU86IFB+rU-{4Mh-JCUO+^FAyec$#j1~hN^5fo7LC~TtEyPIHyEH6$rz7GLa@wR;xVaE71dFOMa4J z_QUBra`S(Ze8UccgO+W}lcI}zS&OtD=d<^fBz~|s96iqtS9SM?sOB|h0I7{ z2Lekb5nhe7{8sg0VxTZHEJh{r&C=2oz~@9fY{`T**Hc)_24RSNXxVjIFPZ`sU?mFU zq3_|?FJp>&l&!*H>-Ko{!3_Kd4-V22bdxFwRoVj)QzO^-&(;2e4^R&;_aB5b-CgWI z7y8eP{}lcs11z5?JsCecVx{EsxBG4JcRv2!;*W3epKJYRCoee%j8F*5T$1e9ZNr37 z=EDS3fJ|0B)gj>&1F6+ZVb5d!nF*+BW3>;M_*_4`Q57HiExqJAa(U?^rM z871@S$hRoae=p0W31oybzm{crofR6x8wnR6l1Iu6ZFT^>Wxyq6*;-9#PW*_ZRB;Bx zBwg?du2qmD@ z=Z&Og%c{oR4f@e)Rvp-2y((&94H8TJm3*i}V=O%9e}EhUp>!1cSdGMz9GCQ)4^p^9 zD5^Kc@Yc+B=3~gmu)tE$ZhL-v3|a7F(M&VRL(<#X(@Db@+9`MW z8c#0}&pjQ2x}NwuXgtoSHb>l1R_joXCXOof+g|qrnTJxiGbA7vWndWJ$`4J`TsG8h zZ1&5M#or=$tms^X~M4IRnad3JCco=xE15n6~j>jC-aN6 z2n7a9AjFUPphYpr@S{KAuuOL6$hvlxne5tclF5!Q$jPPGy{?N=uyV$xmjSstuV81PEfzhNNuS@#t2$qyH7j3}YSyb8LW=!yCcBBHj9z8Foei61 zNoiW@2VCHl`{r9|mfn^{nF;w<r}OV z?0c$JUMrK57E&dqkm(g8N;=Xs?kRG1vbW++c8;Ny2n#yud``;3YP7^|*))`Q1+f-v zIBxR&X5OPhaNmLFz;e68Ch5~5_IWgwA?gawViKCp^%O2c?}U9^ zff!(x#B=JE+sRJP*+e1$aRk29|Gdcec;tLXwiuSIm>=PGz8KQ9Zn ztB19`>tB1td{CjOyp!B-r-${SrcbylXLA+1_Rb(|>HOO=I0Xv&{w+qe=w9SM_ z;g&#X_VOwA0O?K&?(A`H-8#g>FjTP%jj0?vzB5uF6Dtl%oAwSAB;`Cw)B z0p%NdjbavBH*M}#e+H~K?FXF7gZTID!4({HfVNVblWr zwqb;YCE2yPF&q;nb^0HM8Y{MfCEpz+)-_}mmYH{rpI8M6FRHF}ylc#uca0b*TjhMR zxLYhPeRahYhoB(dT)~bqBB!7<1;zqKRy^?oKqQk+JsRycx||M@5!l*kdkkzWGjY5KhTOp>BFlOQ zY(SlJbZcPai0UiBg7SL|@d6v7y}*`ebX5^a%@vTW9Otzy2PBoH518)(5@x#yB<5Sz zh29lYIl$??T-UF(G-s1VuMU!_LdOCF)^HG|I$Rj;*4V#|Xk-%zyuu0Ai>El#ls0+t z#Ml#XIXqfD5gF!~rpn92xgBVB3U`pd&d7V%r?1~@HVUya2uNqZ<^$K}64Aq``bP~H zNarew%8$SjjDwKvh-d*;-W1%f(C>DbXC&*%DCbqvY z5tm>IB4TrFVw7qV-_X7RtF}Z#Mx7$*^uL(09wxP)0BR23lDbX;u`yw>Yx2FgvIN4J zN_e|KCuElb;f2uCOafshfiM-ve#uB6ytonwFRcrN7e}e@nySt>h!fll%W#2k9hMI; zue|}lG>`*Xz()5QZ+neb`nv2a`sO zB-x7_<~*9ocI5g-xGN5#t+BF!|QQ}U?jsjkSaA+joKctUdlA9rlv4-)TL<0 z&b1~anA*@J`C0DPd=$5hMHY2;$hH|IFRc^VypWNmWXH%2aYY=S_+?O5CNOA*Ev9N4 z5mWBlh_sX+tv)00MlK?A7fb>{#?5Lo7)l7@xrsI%UiFf$)hj$u852VPR${dIP{z^6 z(MTAglL7d#T^0NSCUHU*%D;ns0-J}E4gCE|vSG90;f3&Xa=K_Ez3_#>CH-sFsl*fI zjGn&Io@%lg9Gw>M6F)4t(VYV&!Hh(QParE~8O9Y`4IF>^?Mam^v^Z!mNMzF91m2JKUW7Lo49Ta&(D4*4@ zO6z4!;un+1&FWbJ8D{phq-ZxRBqzFw=9uYONLbZ^X1a+SVOZJ= zmxKeFq#qvm<^v*qgC?-ZC@F^`HEJ^h&=X$J$(w~B(ijmtWb^DmTgyjKAY>s)Y5^#r zLo+3Lcp$OO6rd_G7Z1sIA=8~GIcM@WoOUiz`sS4ND91zrFoFMR=denZ=$vF=yXke_ z|59qS%_ynA__|&+>;446SQI_5_fnbj0%*zDkB5M@Hz zWu{CNYleSJtV0NCfKu}!R$^2qer-y! zYLIQ#o<*B1*JhKII6tz<>ggnqk(3lItBe#fu1zhI{}D4X)o4_1r;WF6iv@Q}TkIdk z<>`~Bb;%BMhA(O@9?6Dk--`+phK89!kIVqbc|fwfjAbivn3D?>U4jx;NaXDtF4HSS@L~;Se4eJ z+D_EZ$7RTPQpio>xJ@sT{x9T)o2Ua2Ei$@ivvi)jrs*k3YCb={mnLKunWX`{ieLPMi za22JcVn~E0m36R&avI=;@)_VT>$F^-+`W{MV@wT~qs}S7988sSJ#2!W9I!(lG-BN+2yz zPFT=Zc0WB6eG&r}ItU2^1m(zxv2GG~V; zP`Z#*!7i8^nxhyU{N_m>8zUPPRq8neR54X}HD7OZ5rN%a3DkkwRX1zf3DTN$O6Br^#A2>|6jfC?c9N)75zv=H6-Bz|DIdA2ZVLci~_IDv8 z%3?-KD#UvTp@b^ip|r&;BqE^UyJby=GxE%tU}14msuM!OaxwXtO3NzUByJTvr3xB! zMZ;OH9ps!ix7{b>*jS(z{A1SUGRyDNPm}RiLJj{Ne>ze2*ev`h_=4eHi;I;=?~L>o z*<7kUfUFeDcOSODOD-yQZ}6y(9k<{Y!{~Y@!uXb4_Ppe4D5l8sl7eN0V-41;Lr$?e z_p&l2pxB|KY1l!_B$;^#qi*E5nQzy~yFZqgJZCY+h&zd9QzQlYq2_!1-1&a>TQW2> zo^UGAB;3Wb{<{!-KOM;#Wl__ZAM{%d!sBD)-{N~fE)*FuqMHyUKvUvkB+6P`3|g^$ zH;`3DrgHu+j)cKjr#@LE3=@qNc9}>RT+OT$A?el+(YHuD6bYqj?BM=hD<~djYD5}3SE^EkE_Y>EhJQs zP(*1k0Y*4TXaS=-N2ZU9R!rdgMiZT4<;Q; zWal8DZC_qMCZ>0GqB8zk6Xxv{AW?CxH=?R#c?WC_9qHZD#^W_&LrBov#dwQ211QF18zj$;tLZ+oYs3IvT3xTd`f2Obf@B9Te7 zgZ&nE&^Pk#jAM}~2Ut`{ozeLSgvY`BteLG!)wa@`kuSrVQPrussf}To>u*+r2b!Xn zzLp+o^x!As#N;Lx4yue_lSNCcZ; zrIMGIBUFv2MYT9`cL>Zx{W&#Ofp~p!kRoGWMl(5X!~S&MN_Ps=oeI*;V?eu98bwU0sI0m6)uqlGPSqOK{Mnb_P?L zz9oGJ<6^gKJt(U|6q%4gQewD>H$NhyLNuHjZU$L0GF2$_p4P&QbyTZ zE)Jesa9P50kWqeS7g@C!qP66S-7EyRme8fdD~%l))kYKQq}F*dJxtXs|nNIUN*?qB_ILDnY$p z6V%yium-LP4PIVQmn?<|sS!j64z7Q8m38`?%_<@l4!Vm-62XC z92R0x83z*=G^6ZcdUGHbYcoxfL>fv?8AAfoCD05^eqWzo>{1N^?lN)O8Dkj3V7VR@of;}|UQoeP$-N(q*K^2{}wG>)=! z=SgMpEN@G=U$;6JM>0biKC4@uB-B%sNBCpi z%I+bxJPm)M+lFotiPG@ry0xmHL}~bnZdd9p)He;sbUUS6QMa%~>YX(NEnvM$7v_)J z0t`k*T_%tV4ZKErMSHPnbTQEuMbSRhxi$zh{V9=b(N`2XrFUq5X4siaesb8D4s81< zRpj>1T{Uc3B7rP?_{j&7@DctLeDiVr>J7Le`G`J9U4uI}rSKs~i!X?>%Q7P2KxiNj zmux87Op>!u#urzv#q}~?P{F1AJb^hz;o16D2muFEzP|P9c^cxWIs%LBPsLjG@s#*g z*G^OYD03B@VZXctps`V2ejx+He8K#;_E-mB*kc7_G7`2xY+@i}aZVLSLZZi;@YKdS zEM!o1WPA*qZ7#?hm)ADvRrNjG9VLDfu|@*!q*O9am}#Y8xHUM z)PgXaOvV7&@%U~%nzT&0q*X&s&n4I7rv5Oa37AVKRd*_aIj3)-&4XY%FuO~McG(c!=GoEeWLN4v8;${~rrrT}LMyQ@cyFyTyLp?XBjko@(cX}?!KBmhHI{dsxMQtSCr z`&#vgs1#pn$Ert+R7-88mRiG?8h)nleW~rupEKI5{=TD)6RJEkInk%pn3$MIniF}7 z#+8Na$cVKt=FG4ZX!#D*9!%B5rCFI10G@HK-cGZAkQjdSuvU~gzW zUu^mho;&S0`}+v<68<&VuS_PJ6O$=$pPZb`Cp*#uD(DkPDARHp-Ya;u1=kMHUqog^ zKukdxO$hlIou+(11?{*8+-5eDGYL6WAN+(47vWehn@KUFqfh+iKYZ{b@8PJ3pCF3c z!h=&g2)&%nwom5+s!*qov4lEKSd9GGq|=m^(B$(qop(HU31aO(!*ps|Yg2lLmds>_ zqXT>BSIu6p*O2a4%_^3Oo+*Q)HANJlixZ&2r8_-3}nL<6c&E(A^#(-j~yS_Ak8OLTkN&MAu?#^6|prq~qrh}YmHyHQAQIFMiBQ^I? z_ue8m0^QK$qn<8KPysmg@_RN?NBwpoMt&W}Ix3R@kZfR%K$*eN0_1gsy|Sy&uZAKE zY!)?bTw%=1Fq0_!Mk%kZM-OPrOk|N?irS`{hH_;w5xlpwOieCiOG^3OXo`dGPbbui z?<@k-I?)LSzKAPOj{5JeN+%UHgyXr*03eLAK*TvAn>1pJY!B>f?v!)FQ?`28Qw4EF z7q*>$pp9XB6`({_nH&N{;MaZFmBnIYyU^tG?=<2%7kjV;myeR);>ed7i(J^NWOu-Y zeYt^*WLeRTT_qy}((cB_KubhS&5g}Wl#XnqT7abG2keOqyeQkoZ_K?#t~C7F>anKq zaa0bIIbA zR2z_hBpmyFhW+-8+uS{bHBXm)$7Wq?>Y{9q8XzERmwvJJ?OeX02_H<^keWd$ubN@8 zM0Zgf%~b?XT1$fag>uF3NymJVJ4p^V14iqRpg_7iuS$$93*>~u6Q`1Q`c(D)H4-$GfQdH*VvvS7VWToe(6VtZnc2Six^kg9ejCNe*v=X5 zwL3r&RbII;@mC`vuvl}Z%=Vbo5zx`kcDPmecMBDPepocU#}{QfP{ukRkuqM_5Qmh4 z{RQB=4x-=4!NB@IJ-$M2m61c<=)q0VAumTfJ!4L9jW9A_c3wJ$%@MB;B9^MLomRsu z+#7#+<)NPHnm3-!mwZjiL3hV9OIzujCT(87%*U;gl4x;Tbp3)`0k?OEc1mlK**Kjh zCu>b=p;`n0O>U1(+IptRZMId9Ht$^2W;BFan{sQP#xOBdQIQW*h+MWgwzg^WPP4TN zvK5Gk%~cQ%YlgpD$5#&dW_Qx-5m+`170Mrh5*_puQ?hqbnT;3T# z%jBV3_G40m%rG$n%+NDTjMnE2)XA6kj&#sfaDZN0xW*L1bR9Gcd=9!P6u{;(Jjrz9 zNXM!d0jmCbk+|f2@rx>Gs*lL-m-TH_q6iQ0=DG_KB*?oxsWE-CMac&Xh-C&LzcH zb16Sm@De_5P`^ZHUCnTHv0cgYdLd7UGWq``-EtYL+h0|OQ%%(^Q_ooG%0qw8blR2l zrkt~6o`gRW$GZVv-N)Gp^q;(04(L@|v zX-fhLC5AoC(N70TG0Ye$e2aXZdbf}D_^_D=W71Ax5$SSyX$d9D3yJ6sBgM0W@ zW&GWfl~INJh|d}m!S088iSjr~=i@67QlR(L$JGKSV_cNouiEL$KK(L{_nxGcDCkAm zsBDG6r30lDW?R0;#XUY_8F^zDWe3y*K_vV23tlapep4K{LBLei)I@iQWI5i{q1e=; zv8jWn-xTf?A_c3aw1FPc#=sfHzVW7x#HOBzO&uO@>RUjYvnGhw8WS!JfH-CHT2r{^ zGc;nGnzG3a=F&c{I*mDz7gnC^V|tL_o7BzG@fPQ~U6<@j6;Zk_xsNE?V4AY!LZ;Y( zY$V39LU?kh_QVvPGOTpr}|YQH?pC45&;k8;VfA1Gjfd|wfs z&K{x4V@tzHYS*@EZ1%=*`-B!{nmHL@=|_;k zhCNGdd^1iaxO0$7gluOD%t_c`52J=a&d{}CZgHJh(t0b6Yj2JHbD@s>&d%vgz|t3S zJ*zh^M=C6|LKy4zhN&qNu@nR9Iu!b7QD3j3f@`q9fi zIn{xJQS;vMn)guiQTn64l=Hcv3@%Aul)BP?*sf%NGYOEtHBbfg1D@2tAQeYnjye z^qLY=ufZ^_M&=%-6XH%);Pm}$6x2+bE@b$_jWsOJ>t}b>CI@R_ZDrIJf6;K=Mr+qV zJi@Naik80@%ona*%4hr9pJABT&6w{C@MvuXsaIq;95K5Mmu<O;g&H=BuXT{7#V=P>n)l%tJ zWJnUH-a76ZISY>aYHKkv>6yr0ZIYHKsXrxd8)02P-N9jvL{q{s!WxODdg8FIX|_nf zi$Q(u2+~)N0Dbug&M3Ic!kN?U1?Lf@r7{3%E%JtuH~Kw-xM`@O42uA4B*7=4!c@f# zMri=uL5Ahb=PfD{{4ndjr>9glm&}KNJFoM^=plJXu8B3$N!3XTg-PG-Gl7PS6k_^Q zd~AwU{~xht>uWD4H3pxFRO6H}NQ#pJ#stJdGM5r6{#B`BECGTZ_r8b}ah9Fq@UjXU zi@+4N(Q$BiNS4*vMuv3YZU0Pjt9ek=A1F=Dd$O$N_D4C{fJ@B{v$z@1Nsi0KajXi9 z6t}B-ODyNh*v(B905FHO#HfY8Lium73TCof=*AZ2vfKxDD@3`upceW`Q9LF}v9l^k6-T~t0Q+j=NBF@2a zVSaX7*j73zS@mHDHxwAG3fuk4u+cE;K`eAUBYrqf>^oIRH~e&z^YdG}9He3kHSGD_ z1=XSrO_>f%*~Zb76fOF89+w_c2ulafg!0Sd$Pru*g#5J`dom99mQoEhYlh~d6lEO6 zDl$WCHC#kh15~~vjvAR$_tH9bvsX7GoNzt&meLxb;9H+EzT$Y0{sAL*2x0w)jKJ;U z89Sj6H+;hyvJPJ!tI0RWIy~7~oi&jKL@}P+U3-Ge#1rPOnmO1vPnf?73%1!4=CFJs z{q#u;S5gyoy@P~0QWJH(i?i+Sjn^lTndZ4Rldwrhwiu&~tdls*iRuM)h|B^!*J-18 zY|aMxDI8UnYNjENit)`lZBcl|xF61`iB46K0SHNm9aD0}9aNtnDUa}5lHW&b*N1D@ zMirvUYb!Ti*Vfk~%)C4`x%SA@Wmu(Z6m2Ha9mu-$r zLYioRQgZs`#yL`!y-mZHQ;ZW1RkrzLtxaPMj1z{eK%Hd(`auQXG^8kcLni2r8hSVD z+PIVwt6}qw1PEWglHuXvbAn`MZW(h+0wrQ%K|qw=5ocq$amLu6s(I5@N6o)CHebyr z_vJXr+TZ^u_s~LTO^kDgZ_4ColvA`hQq6tH=D-=X>FRk6hrmx;^ppC%6%~k|vHF9^ zm+R(uT#b>j+u9fzecELqH;WKCi|a;pmH1w%y$}=d^|2B4)1V)P{)o!XAV@^)9!{}b zBX*)&+NPZ>zz->n>RcyCGR7Tdi3{sS2RT`F$1;%>PSMR6nnzj$j_4v4U6ln97qXGd z1%V$Pqf@=khXD=x@`{giJ+tqLDLtH1l0zaX@L{NnOXg+n&^PJb_PP0uqEkc9W9y%PKsiUsP#R zmEksz=$^m`Q=>^jx1f6t5i=E=0 z0%g}#-g%zKeO29hTs>^dE`iTI2&mG-ma)OcR&brdmL+6k18U-C=nV9bZc?Q{#Id5aNaQ&*KuG7HW%IQr^e$aNEQn5a zqN6aM$aNXUr>0y?nk4%|V@6u?#ZLF_)tK+%L!`KX_P$hT%$<+Q8Z#sVjrm`PE|60C zvI{E1!O3csgOm9IlL+EzRRKPfBM$}81kgmOgOO9|?TfsFi1w3G>E-7wRC+e8YNFM_ z$9xCN9|`ZAN^dlc4*um&M6Y#O-%sLY9l{4Y#2YE_Qx}JXLhS*3uqWM7mVD1XzecYc zw&Z;E`v@7%0#lmUJ6JehFFiwrXF9XLATQA4xeBi|8H$0MCP0cin)f=q_pXZ`XrVQf zf9A|AE{!7iXgflk0w1O&5L1o*)^a6&T5jM6K)YOv-!9uJCQQRbrT5mqT>15!f_IoS znBdZ z#t!<%_IEe-0%Q~EN)UWd5bPNlET9;f);mBnK;Ndb4CJyX1MzX+)T6{`R2}f4@Q1q_ z{LiA#d6Q>MnrX_cblJc22_x7D4fm+3sklbr|8NWyur%z)6R%Dqr+XWDzTC*E?nY!1 zaU&@r6bvD345!K84`{Q8qe9coUZPBd0>gK%{bth^BGKhtfF|Nhygojqcmab%T7xR^ z9ml09KZ2u$59=s4qn^Mk+r=+;egwZnRZqbvx5K@}bf?+Ipp`gXpKSe-k?qbB`eEne zs-S*=&u-B<3>kxtW}ekQnHI>X|rsLec?*O$))$ z@VE+coIIumnd_CK`#IThdb6cn4JJ1Ugrm|v#BVt8Mlk}{DJZ|__hWg_)$v_ z#O$2Ent%;H3JQCbf<D8F;{u>ek~0|JaTO`ikBIa&7%6yHNxFN*IwJBsg= ziPfQa9|IvavkS#v>_YM9dr^ERc^#e;iW6CT(xdpvGKw4Ii6wW~=j5I;_IU%f0pH@g zVn+l!6ENr|!01$73R00Y)}{a{mN^*6X`&FY&&Px12-j1u;A$Cd3~98h-XmVsHLZk^ zaC3U86|}FTMe4Lyv#DZbE2szOf76vH!_JnMiF)jWdK~lNZ4l^cr+-m)6exB~t55K& zV_JQbUv@;Zge?(~V;s?TNDu}m50ZshX?l%M?)SJ&+v3ByMRRseJo^HwLc^a?H91jN z!P6?x0@9DCx*KsuO`6EZBSVn!AQ9T9n0T2rJ*jYT+)v@BOnwz!95vE+jJxmK-HSjk zZasuv*?Qhy5`A>CEQQgNlxceE`W_*(S zqk_S6_9kfIRw*T?t;J_LE$Z8+=;J9AW6xRGQP(iLYYjVr?bkMiZ@Mhiiin;=jLpLK z0$Rg({IdE4uX~AW&eoh*EBPxIJ>9)YhMxF1!OfLBnabUp=mUp1W-Qm0IZ4Ic8!P7d zv{qAIm#r-K+_5QlUs`c5RVQ1240-DOlWlq0&P6~Gt4+4&QXl4gHUM$0PnvQ35LX#{ zIj_AvCoX;5siyZ%)jj}ZriO+rh|6bJ3Wh{BMgfyET^lQu=^7K6w$?~BJkF41y6(t1 z{6>mDRvWm~KA!eO(3w8Z`9*FxIT~&R)nAnD;_d$IRXIqNB-}ksdSfMf9R${&u~% zJJg zSZ*;Bu{N@;%{itUp`vtjBkuw^d=aqn`*@39&g<^wXF9#~c*D^;1+2tHzRVlK8`LJl zo5M8=_aIi|B6{IB4i~+!1gahEJ+l|soQqz-+=^aEtrGS=QNwU*Vdv*rYFWpH;gChE zvxKtFg~7tXn$}3>a@4o;SQ3&r!$Y%NUKKetp@r}QfvMjMKP|ziS^Pk&o0kh=3HdM) z(QShF=dQnF^~{LQg;3j$E6^=tb9r`FjdKN-(U8W9RdWo<*_?sUF)6`9vtxCWe{rx~ zL@zqdLDviOhjx15oP*_FfYT=FcG3K<7ELuM+=Eg%v>2pmsFzP!PK@)=xLjsYTe(c3 zs8`cjG4+4~JG-UdX(ZcIM*4H^zcO9WXK4F zQIo(miapFNteKi~A0Do8qzL7Y*V^-ReYDng2v#FaBUK)(Nl+P$_SGba5{_9zfP*B5 z^c`H~FG^=ldWF!GpmG)^U_B+seR+vc6#Wo1?RG-ic2a5sBh1z$swpcWA^ElTCAz*; zYhSACshZ=|r)%xY^!xc*dl-G#8M|CC$sQ-u+ahzpB)dx`E|_Fzr$l|4Ms}YzYq@bD zb;2!zwgGg1J-6}LqR95JyynPMk}urdR!~~WJFTF!opz4BJB?Lcak4?8mG5{vXREg_ zN1+|$MD;dF?-P6(Bkd7x=3yA;{Td#T4|k;fTK6=mv+4Z-Uc7(hNc&12 zUQ#Hus(T*Rrc3oYX<%i~8X=}BNG>CMxKsBf)IF?6m-47zH1Ad~Jf%)}?%Jq8-oRI`yiQx_(V zvhp0Jo-~zD?vzaR*zf(JZ>ejdE_NWtps$)OAHZ+Dte+J zjSWBy;!pQ58Xjp60;B$f8&beAecTj=17SrU;EGZ7EMTavfWVFeS?gt|d0o`GQ|8k% z8Ks*k(X1U)b{4|IV;?Tip>2Om)uv&&EY{ui0a!ESay11!(Em>h-8HGZ+>AWpj;QZds;*u|Ql80!BIjz2pg9*i_rKZVLlPl`x^KOv9+uRs% zgK6+rvMU}}Gpy~yo3+A{UEm-!w-eMLM>2&p@j3*fC?RNs5@eFM=MK+>=ruP=lY=m05pESA6Kl zbw&O=rYkJ(sIK#9OIO5&Cv=_TA`27F&{9NU!f{&)b4f1qku;b4NSZ4YNkchyIjO?Q zLLZR&8W)h7ycQ>#%GpmQZ)h?XONOr4KX>Yi7x07}8o5mcq;Ol1@j&(wK<aXahe znZq9_7onY!%CCj03rz8P~KnPbFAP~?I?y&(huusoSpvNt?LqE3M$qKlH7DU z!ErR$?O99KOxFX|LmjUi`SYvSXeq!g|lK`P^p$<5l_xXWJ-sgu8EU(J@`@oL; z@DcgAdU6vZF_&`_H`*{xQX1vE@1QpF$@FX4x%79La&%_FZE{}(F1sn>6WL7--K_Nl z1VCvONaPP}ekF`T7fFHVu7dYc(UoZC2CUXkMwm7e($=>yN777%jLYZybwfwoUkg7CuCt6Y~P^NcGCQsX4Dwy|yZm zDJ?U+k^od(uPs}!oOPHO$O)Sr-u7hB`gPLaf2P7p!THEE#ESy;Iaa@e){;cIxAER7 z*LBJ%9CSH}I3`mC+}qIwN7<4Ty^1;{UU77?YFu$G}>)^C){ZP_E<< zJhP7@5U%jq=I{8Qgg;19AoA8q1J|G14(4x@NWV!2b1c;Ij(gKL?SWkbDGwCiuiw$6PfvCBXA?Gx|3#BXM z{066xFlTnq6ZH--LkXP{fETcFXwQ=js&%~pu4p1o7!7&CFm6z@cJyI3%}aJXqK+|J zPWdROPElsZm_bnObUx5>A%cWzVZVOm4yb*6+j?q~(-+-9$iZD&*PjOM)sn^>L6(9_ zUZ5Y1)}KOhI0%yv?>{vbMXk^P99fz?ooivl3NV314cHQmks%U!RijXAeBfJ?*EX$F zUQO!O8U^lzZ3^Vmb*+J7)|x``AR3KgjzYV0yw*$~%&r2C0h%=hQ?gun0v3m}f-)w7 zQEX8ZcJz>ra~RBI|?9e9bne zKmx9&Rh9HnCIBElp~H(-Gld+9OaH-irEXyhBJ*N9xxqdy0exfR7xk@WKu)5u%Y%r8 zxnclHbU2b5LI8f)swy4CxA$`nOhM@&zWtOr46ZoHR!Wd1BGW^b#Gr25fI&9fLvi+o zY=%qg5in9KUlgT#A!1~lWg&9Jq1MW%aK{$nasiop*3<4!Yauc}`C1$;t;JP50U9f~ zxV6aQ)JXL04YRMsrERKP7L39jSRRpIi*9o1n_G+USh%KUA*tHxprDc$hy%OTfnm6N zEs~2(YY~Yd1=hR<2I~Y>rc0;?^fj3QU}d`LBO6$mlz3U7V{mi?fj>h+yjSs9>{zc6BcR!XTk=~{919vYSDBc8;KA)Xcki2--nuP~O26JE;hX?QJIzFd z8Kf&ceyA;w!w*DL7jPF%gqxFSn_vvx_-6+=Mm<}x9^nq{0V9_VQQ?W>|5B-%Uz8k9 zk6wD^6?ZP8CI`XuK7Fz=CG5Gquo|w&1)eWp*GPue-%nc9EX`|gtgrAyYN3s8sWDyC5UG3aWzo6flh3(J{+^=YBR|iPiBC|z} z@{$GGzQKG+c{=Oj?40sKKX_9gP?NfDiq5Or^*dkXuIEbN>|Oty5QceUPYPB&Zd@ik zZd}$qZl2S24LxEfGFl|DUhIz7?|t3BF-=m)hL*0E9%tjn_w^u=tyA1#+?g$;4+YR@ z3oav@v3>VnK)I}vE#w$%9-iP^oKF8L446vRPgY-#BnAHsc`IJciShhGFUj<~eov~) z4%YvDWCF>q+ptFFe(I3{0E@Te#avMWEz&H98bA}4=vB#_$XzZdD4 z?J=$NZ=^SsjT<&Je?N+)HQ@-jexZ&u^&x5fBO31?Rvx zAn8C9O;(JCTQz%7N6I@_2TK zovb7(=>cLJhxp21?8*%=knq-D#i@m88{^T272Yb~NVilZg5$v1{8WfZfNhU)DI_!YC(XI%eyu4(v^pU>8k| zi+S2~!=q6kPT*t0rK+RLY%A2Gi0a(wtUpqEfq;@tslh6RMM*LbORFrT3qX zhFk^eAxeK5B$xHZAFe2_=0I;%n(1p;8WE&|sZm9V!)W){YCtIKv>@`8ZxA!v)oAo# zKtYS^vVnEzjh4FMY`bI!yYoaq{GW_wNfR-e4r-#%|B_}plxKl}WTDxWlSSwR$vQ`$ z>Ro0mZ6rhPe%~Maj1pjo)GiFVt^Y6N9zmpTG)`Y2g*1vE%uX%;VJ)jB#{a2ss8OlH z4?*MEz^8~Z$e3)1#8ZJ?qtS;vcB_mfP%gVoWrPTI-VzWs)6V%K?ZH^<+nuLY#|U6| zuA6uSoCgoA2Ui9sF5fxvO0aDrmwv-7?AoQy4~xDr6>`ifm4T??EOiH zhxoSmX!Ev`NW3i_l=vMB1!VOYLifbWZ-ga~~aF>qd71`y0Lp&uFMluj^TtE&!?c*IkDf*ZN$5r}G>4nfy4Keq%Gq4x411lLp=p6gqdsZ?6+pH^jRk4!C%PW~g#t_l2rTjES zwR|mO3SeRPE@l=AgJLn`LGz2bSh7Nq&dO#n=fRMm&saQei&>-!oiHa=_@jP22Z&|Y z4e*8%O@h9a1~_`=027#xh#hkF8>Oyx5CRV3C>adrBVY^g`x@`^$K=S;i;j-XM&_DO ztu8(RnQ;6i>cJ*EcwC@{o8_RcT@0u%o-5S5Q3{cW0J5@SfaC9wZa-zYo zk;Swf3_(;HtLBH&Ma-<`gcy!l=Y-F9krh(a?8bepPm*@cSfb1`7s*KRUHECirCeQ~ zeR!P|&Xzc7Vq=rfX1@Dr=Tag3^-PPn_*qzKz;c%nEM?BC3<(_;{+TV15)zKcW~Ig^ zvuQ*j3YNsdPm5#FMtQCZ->0qoG8>tdbLjM5L8XUt?Dw4G;NNqOI3NU0d<9ujHYIVa zzdP3W@8&>vmhz%Ysi5OrKR&=Bcmw^g8poapIfmu|sDdraIRx>EB>w-!Rip z(x*3S8UB2Xx4epgVrBzoSnXqqhEP7u5UZ9Dgi_|eP5!|x8Z7r_+NLYZ9k-R@N3k6d z7|Am%+fNLxNC}N}==M@j2i1EKm*@XT<{QV~7(BN8#$ZMfPSY=_JZMY#CuHB61=EyQ8IL( zb&dGosy4fAmIdPws3=?N_9dxL|0$;BAt+9>O-3PiI+BRG`{(44p;~}8MOtwPUNZD9 zI12F&+`Zd)i|+mbcOr+$(0jOJl-&J8?tnLUKPeA=w}4|pFj3U|RN_LcMo$EL>5&~ok8TrwcGV=TfeFYu*0Ugr!I>E-4KJT_ZD0|oY zWy`kaie_21cex_})gJ7gY89itwMrf&^dgg5S7~!R=klZtsteoEEDbCEL`MI-VZBMi z50m~_lo885f%ZjsNhO=Hf+GF|+DU=!PK)IE<&&qapz{U-w;mmaoB5qRkTrUR8%{D0 z;ZD|!tTmCoU#J3_$qPh$4?{u~DPY!1k#=68;rtbmLTflL&^O2UhSOgZ=(~t%tYnMW zdxSWZ2Sj6YhN4x45m0(XMwkFLz$+e5w~eHctbj<~K$uI#oQLf1=bicpWtejWIZo8# zObdRYUf@KuU+un(9Bc3k4B1A!^Mi8qYguqP3C@54p%NHh0w58Baa0@`w!otgYNWsYzs{4@VOND3v`OvW_8je}s~um98E{??y;Y%j#r8m{WN8ht0yWNIjes|mQwYU}%~9-AWF#rb>gnkW=vsP1@RKVLA4 zk7VITkm9u`lONp48A9XXM1GQ>pee<&@QJ=wq$dgPwyhdCdu9++pCJ;lOywx!n3 z@NWuDFxWWQJY?l+i?sA&!?N9)I-2#qs z83#)mLp5Xcb-&}ak=0hxPkuFS1q!v5>NR5q&?;xlICpL%H(V{LuLNuRSGv(>f~GyH z>CtU^bep~f7AgiAxvX*pJX@`|><_zrJdpCY-r)*(YmMHrKlT>T>(q5SZ&AQo1gRx; z`(tkb+0I+<rTC8f9x$p7DIyvB6jT?h`F27jRv4i84>CrLMxf`*-04LSfjd2=+uZ#$cXX}gYYT!8Qb4yl1^OO=%Fn!zR%igy zxDNk}KP!r*ng8qUFN;&N57XlEe&+28-Q2D}cVl4sYIG}IWyyBERO@|-_+gEs^JVFE zML8rmb*T&Gom)c0+4c1f4fi5Gxbi+h22?TK;5KnA1F6=U z0h$|L)0!j8xuJ+%kp$o;HbKV!N3*B%qg!QVg64J#+F{Zq{K`xOQ+ad)E$kCD)E(+sKeuvIi?- zEjQxHj*}bl!cGeC#GnXp%!sEr)xw)2!$--8Cny(2JdlyLC3pZ-ye=~0MVbz8BO(yg z+3PcRESN2AtAwQEHiWQb z;a*~@{xMR7#>s5c`qV6%IJu|H_h?i|9GhNv3XVM$nUQ{Kl_1*7fRbIM151gIW1>@n zKIJ*&HElMkuEG41{q{4D|4pRezij%!?GQ%%k!b@Ex(6Rg`=*k<4ept8qL!XCrjo{n z^_c<$@Anroy3l)iRK3I6qKAkM*;Pc@=lzO(zXWn;gb)1OVs z4+`I5B;_1`vo)g88q)l??BzYCM>$3GN9*NpTqG};KPGY(l`ZnKZ|dtp!2&VO>Qh?eqC%i% zJH%k&_NhUvvHXgR@_^VRY{~PXOKOd^4qf?a34M)r2xaGneSab^oEc%EY&uNpWWO*uZvHc!dU(gY&P*zd_+vxvqIa$?tj0%95=jMoSpZ}f=;7DBK^ zEvpI_9m75&AhItue}n^etv6BgxZ`j9CA@Ezf7p16?Uo|GIk_!Dk860}{%_(6CF6ge zD}gvP^{?TTr=BIG^G4#8E%g@+WJWH9NCvFlW0=@FEr17l6}@-1M9#G$k+U70g6YbR zPLa{g_SO5-m}W3@J8*e9|7b`L=H#Zrm5i{)d zw2|j9hTZu()CQ;L9%sxSi)eDLHui)aYVKZ>h~S&jsV<7nBPbErx$XKF*i;Kuv(!}U zd`;Q;EHs4zW=$yrzy&rnY^UcIqmmrz#z-L*=DuX>|>p zY2BjpksW-Hx?5@D?+9*)a6&eo8j{m&PkE7$c0R?|Ywz_| z*IB>If|*b$ot6bh!j#=S2xlGIVI924uH{kY?pt;3&R3&r96qTPg|V^qi_95&eM64Y zh~CA34U51thS54ez_%1U%8n!6< zZZoTw)=++$(@dF0$zV4dIntR99eT8%j>we0kE;VF`7TQLkCyIdO84cXpN!5t-~_Jc z^p2xz`^eYu6;w+|3AhT*vQ-VYd(^JS`7Iyykdu-^=kjDZ)~sdG?7-vf&CV$|`)H}zS&NvhTx2I}`Z~mdAUVec-og)*tn2%<@8-9WFOZVwnQSPx)qz zPXgrQb}AS7igMt-tWnn7C@mo-&6y|^Wgr}j&S8aeY&bfcpv8J|2%6e@r%_I@kpz&U zpzT4$2G>nd_s18Liu&KsNYgc9`7AH8kvsE72%5J>>N2Lc6kcE$@{LERzv}9@OqCs& z?J>l36kg7*_FTRoN|&>aWC-B@ zbbdnFb5Wr+*$_Tm0+A({>@@2VlXk5wqYf(v-MQAT*-@xsQ6)?5IqL;O)O4AA!CEu< zf^IyQpL2b%bVzicWx{a@h7Na#vM8lHN?G8_7w5{fzk7N51DOY8qc#%GU(WO^lWiTZ zJT0lKwAwhE+F5QO@qBTt`wJaKuk=4Ua?X*{m23~;2xh-Z)F?J?gP>opzDRW$!y&0s zxev#waYmxPTLT5AQm4mKs{sF)Um5ljaUWxocF|`Z*YaY+pp*oyZ3+ngu^+=$hf_ z;`pJ{V46GaQPld|hiv_5{CSPG(n`$YD-1*&Oq<_r4IcH!L@O6Ie#wsD+}F&irJoI4 zo28$4S>o=Wr6E|wXIT`i`$ZZ z_nmkS&m3aN3|Qi)NuPU1?2valf`ugzt0{q)xTQ<2L~KEhz&^nq_*0a;XqW^37UgeM$J20yxNZM)C(zXF52PnA{r^F+OW9z4I4=^C}7WCW% zoz|B&*JBQj$0D@}{Tt5MX zE)*qh0uWq_l4&Ae!KqFOAfA0n0ONECr1utS4&x7afbzy&*T)8bgDo)5=W)Q#W51tA zogu4vLq^}O&;zU)1y$-ksrroBz&ST7@F9Eo1Qm!}XbFm2Y{-Hl%S~}4myE-eT!Tkt zYcOrf{e{He0XBgLwoeWjLn*jq$7s2y&WP9mdWx`+&ev=3z~qZLzo{r9wuC((9|D6V z@Ofh3eG*b81~zj?kb}iCAIJu#R7-e(-Ru}vbT7l(H4A~9}C@nIcKaUrA=rSs5H*rs2fb*+Q1pk2?L8qG<$dU zK-3y@g8X302t()W0DXf*Z;HjaGuE`g$OEE)XDm_pfid~aiFtuum`bcx_(C&fR_R}o zy_c$GR>#j2-;Kx7TZWo%ZFc%_nAUqOF8<0lzyzBD%gm zsSsRY=qz9)adVr%K^GDiyJTL`K!z_crekXWsD>p)dJCRedJBO}#wMIl2WAvc^B-+m z0st9mtMajD8S0JTw|%aCv)UIdSFFrh+}OrNHuhR4a(@OZ;_Rsia?`kKWa@o7f(M*F zXiEZ`&g8cKEfkk)N9YU0>McCXyE0rrnlljc5M?&bqQS5?k4kU)g_Hi3YY-luQb!^~peNZnbPc zzCajBcwb_^qk)msu8lR!RiCUuve@#~Wb3s;St%hl%*lkfv29n`odtzgKzCDq&iH)QwT1AX7 zT_Pre2$VtAz_4~F4sT2O-UO{ydE+DFt4Z)4z6)DXxn4YdjCNS(knh;WLjoUh_%5Zd zvCBSYY3G7+UDhkM%Pb25tv$V;%sG&~60A>cPqq2t@l39t)b#jm)`Bkc60RruTR6pU z#7~U#3Sg{ibbwhC18H+^LB*y8inr{inzSFUC{3K8ME!2{x=x z37?^0n5g;J`j&C7hNT=#7^qIn6B4N*oXNloKdYRtw(@`)^^>I$ywyduD4rL{utANj z*^TDru;!ibEO@3yw7&HAR;mwVZo3`uNb_AjTWE9-CFAQVzl zxQdx7a^D%R1Y{yDixn zKw<(e)#ktOgU{K4Rz<-Py!qRRta7xdHE+X)8{|Ho+{PT)x8erBL-)M>n{U1SJ1Fem zz4hgD(cICF=WMOIq#bk!$CL0`|9V!7$NJMZ7wB*6hkW2#K>iCbyl46FSSw8n$lkOi z#GPZ@4WMd>7J&?hYg1{%kkN8wL5G}?Kktxr3eF7K%$C?94#Xpc*-*UD&`>L@!DK5M zGmYDU|JJB3LyA&Z1i}_`9fda_;YpiLStUogGO1Mq6^eOh1y~8eg zMD%_lAf0<4wI23nu0 z&-$YqQ}o4yMzS!ACS@V;5ExYekAO2^i>^;(vO;ookZi7|WuSnO#01u^2!0v}%z#Hk zJt2O^0C0#S4f>LRUjSed=N50HKTW}-04?nrOhHiir)A$)%gKi9uL8h+g{zogI-;aB z7k!$x!S;}0>0k*#1A@D;axsapwMmRCOmNi3=sd(Q{2&IyNI0oFG`659cDNR}L8X_H z_a+DFP{#yY@Q8R|fDf_(p*d1EkJwsM5iL*{Q{zyr7H zAz?h(d~%6K$B7uV0yeXN0+RzL|A=!Y$ISJyqs#tamBfDBCOkSC!@6Hi@ z0;nBfG+q-z?09_pAR-shR_y?A&Sj8lJ@x~w<^#ocppRoWiB&&d*3m1!@^8QVXOEm7 z89%W;UTlctp9+o_g|0m+X}C$`qw=Kp2+&5?8ktiE3&G zF};#@g}2$@-|3c{=5zH6{L@-QE@Ak$C4dctrE=|mCZUNS%KS_%i`Zzh_%bboem+VR4qjbO}@xCK(PcHkMI?@2S z0$!7ncj^;g3B-UW0%a1W+QvliZtBvW@pOKt0gC2-`Ib+7^N!lrPfy?SIpYP17pS1k z@zhW)jQKC1{t&t{@fUya$`Ahb`~USn|F7F7{$%g3e)YNE{KRklpVS=X{ADXcF7A`? z+5q|Dnjo5J?bxnwYugwrA4X)myMlpy?ZGca?;Z^O7cXsXrkDL1M_9Ck^CTO@QeZA% zBFaGk`GoBfD4P7TY~PWu2&>|aQ*0Ifd=tpH*ApI=YmrgAfk4T5Q}bGDm;?uSrSglB ziY>h=H>(I1B;s29M{knDrL{%?Yw1t&Zq^p?BdQrcu74|J{|iDh%x^c$uZAe3y)x+_ z*!$0GFE?2?ik#D;s!75%;u4Qjjmy4)Tq!(;c&kS&F~5oojU{fdHe(|5w1oMW>mJa0 z%)IayE$U$r9MY2`!B{?S)rJ)~kQa!ih6;}kwhWRoe zU|2Jb);F2X@dywk!<-%E5n!m8d5~1dBv=hv9BHQ!FyIQIfb=#!ubbRa=Y$;1tgNm= z0bQ|c(lse2OrOn;$uL+Dl>HLc2?kofm;;cX35Ml?*)g-iynu-=gjM^IjMlIoST;uF ziN+QCS8Il3QaE*wu>+d}AwV^7D&Qh458Rp(Tr~%f_8Ws;3UbY~daK##9M-~yTa)^& z+A?jh%_RekMgXZO$*23r9I^mB4=szXNCw!!Sv!&p0@^T46_%Q+>f{4v-DJR+Y-348 z(keOv+D%thrF|m?9U`hnKoK`)trVy0S+Co;N$BAeW{#?eBHS33f}$-@XLBv$c%E!4 z5_5oxApu_mkRMnL%rLUf1-!@6cQ%LKCZnMD2!0==;#l zCI(dL21Z6lSsg+Ht3>LwxGP+86fRi-12bj=&_t_81dkOA4X6j%Jd|9xyLF+N2CeJz zwqF@m*ZIV$ds-qI{ZxYo2AhO4Fc;5hbgP1M0c9kH>lS=m*q`LZp3-Kg?dc-V9o~ zcqJ(q4WY`~t*oh_i_oRUBr5eaL9nTs%x&h+MNrc~^7C9wF1#{kue9-?n=HdasTTl^ z8TbK2G}itLt9~9h7ELyp$v*WQ5l~cd9v$W7dHk;DRYl`KvI?l}hC}RZ5s+cDN;tRv|gkMZvItSPsFtFjVypHO&3jS}WZ^xFasvS}st5Wfeh( z_LN>dt*e9Fk<{KmJFyku7Tmvcu7l-8NdLmDw%E%RJJP%Vh*TPnX|fq z>XxA3E}+uxWY(8M!WbB8jOlDS7(q*c(E(BUJ3By>HUvLY0~$0mB8MX92LQzeI${pR zx`QH$#m*8G>qZjK2E~XVI)|CK7(^_Aw4`eLufB~l!G3`LS?@r*v33O9HiMf9HIipp z)bN7@GW*EHbvu&z+y9_j{L<`jF4LmG%V&C*mvv@67nYo)oK!N?Zt#M9H%nvV`^W`abVlE!?Bnrj`0Q4$+3xQh z@h%V*XVb;cyn-p}W2za5Y+YJ2!hdnUd&1fle#QoS?6sg?ep}l@#2(TBwu6-W2CF*M zeczT%9O;ql*p&9mK*oAY`rrEqZ(@6>CXKa^@Qhg5s$GXL7=ERzrn2Sq#k zCG`U;*R{#g0I^96ULAwr$N&yZ)GP6o`z6^jJgor!G}xG=nHI7;oVP__iCRUJG$l&Z z%9wRS_yu`Sm1C6{(}a@<@NzKSn4PcJw3|QhA7gg5_ENT^eH6xIs$1xUrBL30-SItw zZkT=jmwtX7v#kWp>)-~Gl{ELxKPnRWT=27LIK|Cl&2?GyQPD>JHt#RimihCtCyptd z4rzgfOX?ZF^(P65pu9%uW0 zAbVNo&pZw;tYf6P3CpS$DbfmX=c%GCpI^a)lgwJ+Iga|uGwCp+4M_))@wKvG+e2_@t|umE3RZV5qM0DxK7YmVYo zGzw`HA7a_`yk1;+zLyHP+Wn!Dlng0y^UfetvZ;|vIKb2p>}uma`xv~QQI zpt-q|*uTZ9gI_XgH*yBbH0KU;CH6;j6CH#+CRHr3q6xVFjPRQ)Q#1?t$l#in%dF_j zZStVgKL8sYoTt2(R#YhR`mr(N2(p08m4(=BAloi#Qq;#}Scnw!NG)gZ6;IJcf{dX= z*`eP8h~g%{9EA<<7q4rW2{Wa3VNZ;7HKfHE zaR{Hh-xl_!I%^_yw#um5qM$72y@Krf!0p&1HdYVRT2QhwTwo1It;|JGH1R~JFsik% zz{TdMiGC$D(qY8nRx~ccXIr(AapNJ_Nka&RJwBZ?pbwL)ugGAW$j~Ng=<_1s< z40-|ea3ebUGdUfl*m%6S3%xcZWzGPrT=d6(U!po=_AYu8(w9Tu<42InM>X5LRhiVU zgkLc$P@;(hTN?i)jeoF^C5&G4GSci9Z2)ixv%>%j1E#V!XS<}@K?cPosAs{t$=0L1 z-SZt}K(xwu!iNgfqQU~T&~2Edi$*PjW(TK^9rQSLAV%u$_gH0%N1Y~k$n*sNLX}@kP=_AKDu(ZJ+GJ_;`YAU!Oz%*1wg4DK% zIH(9l%Bi#Up|W#ZB$5nc?SZ7x#sFw;)`)W)U*AwKQONqRaKE?885+IZGk-2-J{XoIUc4-2JUH)SL>F)T%VZ%Q~`Z1~|NFqUi-v(?Z zKxcR%v`96!l^)6AC_2tUlc?%Rif~OYhDqco^l-EFZPDiJxlcYBWM2N2Pype4rac5P#<+rmxzj{Ti8x3PQj+Y&|d{6>Uw(N59({aHw?E#;|yvhaGojk zIzrZor?Q*ZKeB_~#kxr=JGavVCVwZc0tk&34dpxA@_akF(ex>)T8-voQ8{GDfuS$^ z>w_}^OYW#sa`Lb`2`7S+OC(%~7nVv_WDcZ74?il3<<3ZSEY;*k1$Hr=Uc$h%E(xPi zmN4|SCfq7Os>ctYG09od@ZtqQsZP9*DWTpGF9z*rAzlp76A4C07Dr=fV$zT($j8VP zL-uTFGK@G&{QBp{fg?^bCU4ooK83}`x}`hYWR!8e^I1`%Usk!4YcBv@+(m{3!Q zg*U9)?C{qKD;4>*pA0K-d)N)#ax#-Q@Q+~oj!0VrLPe;zs4TTsyHT!$PMSVv)c%5MfBuK9T`K`pmAI6~=!ED+693&rpyAhm zC-vado>_2dThbntE2-_N_6)jjt+9kHB5_nOE^kAWYtcdhr z&g5S3K5Ql$QzBLswT4@=iSEsd=qK>0+jh}9D2}Ddp z-n2vo^^h-ByJL0@qGm$bAZ#y@vMamU=$ayBm@?JO+x}C{ zi9<*9Gis3j)_R!nIw%@}44VH-fy9MKfe_)4nAs5$b28#@OQb+Va7Zkfq07`Kp(6GO zEwFkq;=Ldl3nX8GG|cIDt%FQxXZf+l_~j%x`Uuvsib|TZ*IG?d^3#8NF;Q+|Gf|Q% zY+^M`+LsoZ|Hg8qDF?~2mvt#r+a@e;1->A8=K!qQA&F)@! zPxICvy&Bg2+FXhuitLr)sqDe&58#Ug7unn)L23FrZSIJc2K&C3DR7cUz=9YU#xuCl zwok;U0g<+HoP5cgp1P^!K9l$`n>^Zj%0C8^JwPom@1E>aE0Tre5ogzmh z+tdZgL~a=_5UX5Da275+t5Sq`#Q&ATl7_J3^&7}JB&d0(fd&6bxOt-aUXA(yOoIJF z@5V@#g@6W%HH}yy>jbykVGC}5iDW!}K`Gf9$C8$46gA&-LA-?)AS)NjQSKC!nIrg{ zx?n`K919+qdh;!NXtCfX7Q)SFKrnD=X+dopbEA2O&6=2Axwa&7TY&&rYcJyx6%;*o z<33AW7)4hX%v$Hv8{X(!*H`lvO`?Q_Q-GBd;fNeDr9?0C8q|DBU6icayo;Jl^3BZP z#AE!bjMq&<#fiKU!hwbPluYFH1s#z$KYh2^yuFwVw*cYZ!v-sC0ZxxYM*SNJR7?mq zzDK-V%T+=WvrfNwVoKq&A^KX?%OxB_osS@`ItU?+Ln*{DW>KZWcsvQ6?!*d0G-WP$ z%~(}CE@?~K(y;W)o!we0c*w$dlCV&lP@2-3sE;DSbQLBi;kGtL07*nulZbRc+k$o4 znsh%W;@J#n2{~+vrqm6afu}V_JB8MO|Kl^pA9-Xe3si7y8Kn0nSi+M?%Ef53lSn+KKfF5J9a93%fB~{29E(X$l0+j0 zSSpo8Ms+`uROE);em#boOzRNQX${|9xn_e5`1m>L*V&HUzpJMgr=aIt##-1%wM5B^98w=%mmIY?9qY!ezy+Vx&bnZr-Mjmw1cWAmOog zb?kr_3a(5Bc=w2Hx9*12;$j)>#Vm=uwDua)g|d@hm-gd~be_O#PFr5)H-{}m%Vyq^ z#Uj%ea7N$C_I&q<6M+S10MEO*hYeFO?O5$~8#W={PVY}=``Gv!xOU`!V3vjlT0$ILXEH&9^&kVP*& z1;*XCF>98VyOr~Xh%jJx%l#+v*_Nrn_Eti*-LaY4Ku+iD?9Qs+%VW-zWiUy&dSogi z7OeiWN1AI~v(PL4Yizd5y=#qyc35YA>Nm@*%s4?x@y%AwHs7At1sjfG!yU{ zb$pyfo!Y7a?g#Rx>Pj0)ex~8l4h-5kJGe zeDo{evXSk4L$s|GP9$FGya`6wTiP7$CFkhI4Mh#?%KD!4nZ;3tG_lBSTzW~J58r}V5exd7u$z5VCVww#>p>QW~7Wia3cuS^t` ztmv(TOfPvQ4|i38T(+3dU z%%tSZrf{J#=V~xFl*k)YLK0nE($1ZUitkvV`fh=APiLYs7sLF?>`{4T{}o`7^iMdL zD3%#|e&y%lH*B5HeoMg+xl18Or0d~LwxG0EMB~vouZq!Hz9EBoa9ev$1`*_cxq+sU zp>R$nEB=r6HH2%#$%_2+gwtC;sI6*Ia*gq5DtQTsB3)eiW!q-1>BM=aOY(<}?R*yQ znD~Ln5|)E){Jd@_`?!bE|DDYRnB&@uld-$7bmny> z39s+qj|Rejjdy9o+UP_y5o*KQ;_To3e0KcjxkXWh^^e`vY!l#`#5aZab6KpEesx5x z_{01fRaQUt=-(LpGv}T$7&+ku#Fbs34s6?UCk?X?3kaPIux)xTwRv>(iTlS(C$Up# zM{zo82b9S$=F&Vu}71|n>uiuPTohdEIzn8T#yDg zg*R}|i<{FWiZ=|CCCTDnNXK@h%aXC3>C)?wiKnnG94j0$YSvw4qegT1({E>r z0(w5SW5V`qSwM@5miga|DM*&uj|uF(AT9lW{L^orG`CQCHJyM6wiy6$n7H{D+i%ug zFmdzF_FHtK=@q#wv)_$`abxC+Hy=hZ=Em3&sRms&R$L{`GptxCF zQQLoF^&rmRZ2HMRznY?~k+H=vn|>HdwL0w|X|oN3C$1prA0Z(SnV`UkZ2FOBEB*~C zv7dTQVxTyCPPJzkued)|_isH%qy+J>dL`@6Aaz;anzS;)p(5Gz=a3l|X8S(>m7w)K zY(m*#?y}cpCyIiTDp;7kTogR@8x*`H+x3O~lU*vfK0C_A)vSJCCj(5dft*;zp4EuR3bK$qbW6$Hzzl2POjP{ zU|y$J#&QHMU%?hODBYt|>9RS>4yqG7QxZYosZWg_!@QIJWQa&+6jEmRt-|Bc_k!XW z%Oq<@YK~>u9;LFe_OfKOy+pMM!BktanEe9jV$G*2)%G9%4d}#917R>PKp5y{y7+Fa z5D7mv)9a;cS=ytF@J*YyfDxmc+E?=yH=EPt?*kc@CfD6fcpm#uTqp1aa)u3m?rHZU z<2AEq1k#(3M#6te+uY zmTg|U9{HQ|zu=1M%2;yUL}l~cph5ILb2oP$4J6H*!UleR%`eti8EzN1N7ce89Zh2G zow}NPCTsECx)Z#v?rMQgK(S=W#NAsq-OcTiiTPW)+Tn#xJ2ax7Y~2EBLQ(of=72Nz z)~eT;6UY>M9x5apm4-W=Kq2DSnF zN>}h1O2yR@9^6dIy|w~q61l?aioN3RXf8$6bmksACJ8) zI;Pk3@mRUtQ^;j}JXU;6g55AXfkCurIXfNe*Iw5TLGXEf#B~?8xkJJ_sPE=q*gWy% zuN^s6*)lQx*?+(9(P)#ZOrs;(i^~jh%F8&T2wHC?BtF}ZF~#2=i`=c;zhU;g+Jd$p z;XR>0r-ZK3hZGKx1AtstY0zR9p07c7u7Y{R_bj4UnD`b6RKx6L0G;c7t& zx^jU5$lAOfCSzt!JmRT4-%szbU&G$1!g88W@?>z$2ENdn)nxu^{`9Ze(AN8y&$Y*l zi^8%SS;Pq^+CsqM#W>1uWE$5OYteNlv6Ol#TjZ@3b;df8G*;6~s#Z`Nos)flQ7bUp zK`OGCN@g}^U4T#m``&&S3((qCg=dl(aSdDevN0DK5N&Kb$Ra-q3eK}_PH~$~t>{$p zy)|LK`YpngZO3bVA%WQ+%RkaLt*{J!mva393UJRjf&v%Fi?v366y&#Rm5q0 zemt|4KP#?vo}3+4XTho;BYe|ZN@CHDQ?{9yh!I0RjjlkzSO`c)QBcy}W7Q3*h;8y( z#1OIA9%sARjVay&g=gtHiVQ}Et+%#ED1H=q94gUy5b@x09z4xn*v^BThPx}@$E~-f zsgVn9f)n*DD0!Ies!q0FM;+{}Y%k*a6q|EjpNv??7ABY5^))P$0j7yfUA91=W?mE4 z+!-}XUN7C7^~u6vr?m(g8k#P#Q8J?G*d1!HPTVLsDtBo5^dS=27w*CLk95 znQLnZaE|L=2bhZ>SiQis!6{pTqN*EgVooCT4~c%pqugFvmSq7=&`!{d#f%*^L7*}; z=XIc|d_v;Hc(FXK2T=sgOM9RhCG%D@f|j7kxFDMjnwOpznslcdnm|G=i0@rKD>S27 zp~)QX3lmh~4Q*JwtY&et&@dW+Is$$sKwo!30F4o8a)9doyy(e-Jqti{^gJ&>!Azm2 z0kn*s=LhJy&~s!~fSvlfX`E!}5h^>%nvcPEa zEF%3Ix@fXw@-w7*+ske&*Gcs?<-d?&wjj*4UQ!Y;B3L!v2ZIgR&rT_m>S@8|3>srn zy_N+3cjm`U47t!Qy*;go5%$iH__xi9TN%Lqd~<|IpSt+^09$ZP**e7aub^oY5#XtT ztw~ghI|t>y6K?PlJ2xdToRa0+bpxxP?BM-eq&4adDO&)&Ul*rW@Z-+G3cK-`W+E9( z{#9s?tnkRcxG_8OZ%y*Au%kf%FV#k$cbb1i5$C zC({4%9h|83si-2uCzSN9zN99k$Js>#{#t;wbs{Jsz%Sd617 z3GD6b0LheuxCEq*Dj-1p_$djw{N4jB)V&K+v?QjrZQos#uOk^OFeMaeM$`bpSr2*1$N$dxe zX>u;Bo)t{WNf?C}Ahm}(WOYytnsqXd1eCJwlF4&f5M*yP?u@w};>hQ`C81VNLSsn~ z7Cjk|c*zCR?A}jfulyUCK<8%Hh-+!f4F}&$X3LX`rF9yRfuBgvY`GqL%|TD@98z~pLwDv@E)9J z)Qr91eLTmD0`CQSqA2)NI+$JI+Okg|$K|%U_dQX+n@N&f>8!GIlC~_eSanHEuRm*( z`qiOQRmuX(1^|kbG=humjjt=Af(*6aDh#zU;AUZ)$<%wY+kz&=d*AMQ&z^fv>03y4 zk5lw5oH@@CR z7unfkvF4f=+1YE{FY_WVE_soc89C-5UgX8yUgX7v7dh}=w_=0y%B zLRiF-^LUZN+>6Z3nD-)wBZztJfNupG?20#qrscJ$c#p}NF4tth-`z;&njb*FnbAFT(wp)h*6r?w z8S`Q4{+YubduE^03uYL)0v`GI39Ib9@35%zzJCX`siq~nPmKVyy}E)**8X=5^NRM7 zF8!cvj6lC#a#}D0HpcerT-DedwD-8(2T>#3@DePwZJk)Og_SXPDw%skFm5-TKPFE( zT{!Cb_5}7KoZ7jIzKA1`<2|%2Vdfvl{ho~CX+OJ{JVp+r4;xcrwQ-S8AWRev@+L0r zgg^3dBlcwI-AUv<;^~m>kX(#A2Ri7S-q8f^iX8+@;Ninhx((+Dbd`9sHG`}~_+xeq zDkQlv2`Ey--v13M$^R|;K-vGzFX#Uz_XxR-I{xo?M6^!+Z(cF~x4lvLzj=;7QpsO( z|F?YJs|nMf9_RnIS29==ui^i$j!1I!ly5I?a7P;t$sxWdJ5dyzX4oc6$ zxRK<{w#IU2Hk<9VY1;impNXbmH%HQX(m0Yv?*L3g=H=k{DT=0!K$DOfkGysb%c+45smPBZ>i{G!8Kq_1Fd@B~R-l1# z!}3dkb#QD`si!PfX$`wO?_0Nu3~G%d?U86))}h@pCfBlK$aS@BPZ7XWW9K)|IR4B; zz*;tg_vI3|PUo-^XGlQHIUD&L_Fm6il&sJ5$IW;TVV^|Ifuzqob-C!ChByQdg_JrG z|3IRG7QYFg%KdbG*`wz2bACE1;N(bs!u14ZDExG1b<%}hPP#tZ1b~7j2HTe%R;_1x z~r^9U$&PME?gDf;M<>qd8|cBAI82UOzs@6VT$0*3O z(*T^$K@`pvZ`nM{OQomyW7wUq-P1Udi76AVs$N$<35I4Boc$*BQ>)tD?i<7-qyQYU zgYjn#AL>`Mkpt8YzC8;W;;m4-5(r3vfe9dZq&+$t5XO3d&^KvdluB*RureT|ua*IU zV+lZvC8N_RzGP%wbJh?tfUDXAp!3j|vOv!mxax7`me^85NBx2RN#&tB8$GSq$Zcd8 zTM#(hLeW?cg}fL-v_cFIs93YQT_KI;c7@)>{NKcQS-4*tDs-S=PK1h<4z{Tgn+%DY zQt9^CW(Txovf+?6Ml7_D@aXadTy7R`m4w(I_%ke%4eLeJ^l}x%7=HCW1VD*(xZs1u zxPl(hbY9phlO_8K4HDkz8W?tAt^oq9 z5hXT3+IWJjg`=!xd=Ii>HsA=hXuuf0aJj1m0J$v8$RWtEVyqh!@r$)=zu*~QB~%(a zroxIUV!}?j5kJkj-xqT3=QV>vMS<5Ho+t{uc5&!H{)yK=_7(+?OLrLQ=nk0n%^(-h zFXZtIg-Y!(nYA>L&*rT1GZ3Y zCNwiBR22|$awaxeLj-c>Ihss8mus!zZ(GQtm+;StffgP*IpSW!15l~_pidzt?bq{w zXc6qNec6lgWcv+V_dwX+NR7DWIC^2BdD&XYYwUVuGS99FBN$Zg0aGB-Kg1DOmc)`Ikd7cpSOB3uMP_gdzyxDHc1s|6qokc;B@8&!M=GJ3)U5!7 zA&dd|>R4mqJKOl(zpJXDob)pGnR7^_YYnrF!?XCFCqfs1K zk5s8-%B_Ro1uJ;Ov;V2#P)CP}0%tt3UXFv90)dbozV!;W9OGSZasb0`YJNap=W zhf9J97+%~l1OaouEYPy|QAf=6@gAH3Rp!t%Xl1m}=BhdAbOY)^V}$Ri66ZBxcvho1 zN;n(SyeD{xjonaJv*RlP8^vv|XG=q(p5D22>IpDxd(|9>38KA#hWLnDLFFf*wZD~WH6~I|%vuuN_7ixt@ z+vZ)MahzUA(mSRr(jfg|w+g3(bCq4IbuHJ^4ZvhhD0K0TBMCS_&pN-~$Zwa_$EDTK zK7RLmk-w4yl@vBvky;?eYZ40{#_1cRkU+#`?D{i63JH42EDH|+xkBD!w|)3xYv6>F zAFT!;(p$qy+v_T?6v)bIZ8H!yK(j5GE4L1@B<1c<`R}kB|ZU z^VO|N;v=u8Pm1wADY0x9Z>^IVta)8QGtSIKbJol=Uz`^;wub)D1kOVR@+aBPS_co! zw@Vj4i_aNM5}aD!=AHwX+WopDvOZX#H%V5(W42oBdA8JC(WZAUY|Yqt2Ka}C06-mw zW>N)&mTi?#Cilq=_DM^%&hP!?2Dzxo%hHbN+zGeY)>=ss1S%PP2-4ya440Ih0>Wm6 zdUgXAM)wAn&KrFRKO5}#U}`D113q6E`Q- z)n>?D!8)c zM6l`Wg)3tPuAIhNhU?cmaOG?{O;ZI!L&A6tIEc z^JbB=&!;Qd)8u+~$vON(y>(b(wso(t+q3^d)ZOxypmVU^sf&`-))`DoIW}S>1o15d zdDsFK`RSo>1yjpK31p;GjYi{wE8PYU2tex(0(p6;Y@7?QUBLy=>QtJb^@AA3??oYj z05F;)OCw_KA$(KQWr=ltzw}z(D~y`rQe}j(9`Qz}M?x2gG3uK3+lFd`@mTGWadcY9 za`-bxhR`Wqvy>?dTKgkWSM_^Yu-qLq!AE29ayz=J^?>>wd4%GtMf~KFbgfxyObsyP z>#WU%NMkyRClsx?g(qMVFv*@cG()+PQ>ZrvE=CV+(hxx-wV*$v0ve7<6MaCfZt&5J zsl>pJSH*BVND)7QoIu%{Z0g&l1gMJsu-DeMUV~sZmE+mde^KC$>Y<=OrhaBt_95k9 z^m~?D(`-IM(nR>UrJ$Bs05~XFW%|Eg0QnYcPP_1Q-1b=C!X9hn4P<$fnX^491 z!>7;v;U0as2YW?NPa71f#W#}Q54ns4JWeb_^bcG8)(3{ktShP;>3lR0THgxM3R}M) z8-vu6)lbtdC3BF?E@bbu5?-IXH;zU zHm{jQe7EM#D!Z@f`QpUBC&47PS_`4HS&qH$hd=)$V+J?eU6}3UC8Zbm*l^UpwbCW{ zOSX1`{~}1FllzefnJO>$FLZMM0^5$R0C5xI3%MT}1gg(2#4m3$4^Hl9nG|yW3j3sC zE2UTNU!mm*gJ@U5h+NMXmMfZo>>yZxDw!FAJgdHKq>af&i%l^mD`uDe2b}ajNS*tt zIhsBG|Fid=VNESx-*7?`3}Qm>1Ox@8cTkj2lnw%dhzNlMh(H2KXexq=9R+*Af)xuW zD)x>I#DWd%BBI#EF4lL=>?B5x-sPP0zdt8eq-Ud~w{Z);t0yPeM8VK$`S70Ofx3 z4M6yClOpO+C^ps*CIl^bE&+i;xQ{M&8e$On8J!t|vld;LsE|6t=nmMEBpQiDO%Po%O-@`Krliy>@%Xu-nBgW#iWFl)AxBvvWdVOJ5?qkeplC73#=TKLg6;{QXhXLK!eeiYpr9U5K>x{L z;~$EJ>tHFRNg~A&RtSmW2t^cu-bn9ZMe;*UL;4&ne?e#r@ZB?TzzzlaV-o3iSWEqj zen%)YRw8xdFZM;KKDr^um;{qnY+nRjfl$n#Pmwl=m1U9%s40r*dyU|S^%%ecsApw- zp}mB05IR7Hn0L_KcqKz;(#hf2Km*zc5NPd^1%5IHT^hcsN+=j~Fl*vn7qk+j5mH!? zxwHswFG9`6q7Ln35Eo(-vAZN4p~c~JSkZx{lCfT7E+-)oi54XgT~*+RliHw`K||Du zMp5x)BuE9upGiU0B1!IkL_^q3YeEB!>bCI3aT0?D!wHH{F+5Y(k%7Rf;~!GgzJwIL zi4^PMSt><8;BELe0PvrzMA<|H=tc02G>jyJ{z#(iLI!PO=|SzrT4VA0IuZkPQ5X_J zu>|HuErv}N+@}RYgRWafzy)5(WlUhJhS3r$5>l2RKL)BefRym+CCU&*=*bXY*NF7e z2enWF)@ns1AnwIwx1kWSRM`|0`1GCVN*<^M?vB1NRuBmy@>3W_fEzN%IcSXG2o@Qx zAf}UZ#)1#U8MqpXbtj?gdGWB5L}C&&4Tyy{*+>yW7DL1dgwjB9hTKJh0l4zN{PMHd z;C>vq)k4yd1WW;|2yis?H_{$Ja)I6;g1P>?m=`56ZE#i4q;I}ox2Z;{9VRtz;I*bse@R}=*^ z1d4(O5rmqu)Ef*y$`MF4T^5eg!8C=ckc%YZ-T@d5Wb+|ZIXolb zt&FvGFchNMuZW;&n9)`wC29j1cFrLEQ7a)soQQGmzlyB|T|w-(egP^e=Fp2GMx-7h z6Z=ra4~PlSZWiyO$W&0We-{xm`7aU2z*zq#M-iYYmE(3Y#qxJCrFuascHaLcGM9p- zFEPD-wrbMP{*}u4Ect&E`{4ho)|vmCT4(=nBJ(JQc!a2H(NqT%9SK83$S^>FQ^$#e zcSr{VK?E02tfA}CJQkgBNK=s|kPRtw!hpq*z5omXc~U>Ze8Jmc zu)3I{aYXZwNG_8G2RBeuG_|lE&;cSq2|^*ag=G8zJ7S)}EQANias*No!~xo;!cH3| z9~cT`(V7h9NlY*h2KqbfgCGvN5*N=V^dC|@umD6I19c&$6JeG73C>X{xleN)hzU~!ZdgeGP~zEmc77K*w<2Qw}mzM70axB~N#SeE4|6cfnZiiGR~P``6K zL0-#KEm4;-E+ImWYWbTA$OzNm7!1|xH$id`L`|dmQH=i5D)g-!WD?Rxb{2|0go~s$ zJfWpqN@`o6K&TfQQ0t+5v_Roz;xU8Xg|-nk6wyF8iQ12Q50pbB1YlE(3o(}olj;?) z0*eFhlV#*UzA}nVok01@6*7w93GMZX0metIh{YB4I|)k}SeMY@D@Z^E!x}i~#vyPN z(XtBFg0+u9hU;BHNFp5>MiufzLRlW?j^r}oM_65uU6xTsQ~=2^WLz`>1dK?8G$9m- z1ty~eJ)uu>;b7vZ0$75P)+Aqv*cZel8aTvdxG)Mu57!hK^q{_QH02!_W8mw#Bns3` zS3C(!#DFrS#YV~hGMN`-iRTLOg&Cr^ey3%9-HePuNTZWzS+IVhi}N*ct)v+q)m&8S zFWytp^m-0qh?|g_Ry_AO>P4?VcLa1aEm0uE4R`ejOkey%;lLwIj=sMCWL0N+`5nB@fV7w;Dgu<|XBa1Fcfa|y5 zWopsK&;#J;J-q28p%5}omQY}!vLvBzrU#(=JkUD~3XB4D6ct!k0llvWmTYv%H{QCy z*DjD39CL!pZ_q(6c-s~|fdGbgc;N{}htY<+RnTpu>I`^U2->I+XriD8FZEPZod8iv zSAe%B0ZF0*expxB)J6?~N9YbDnm|=Tck;-h4FlR%!D}PP=r7NBT#Yn+Te`fLtP9xs z;gliF8{(|VvEFcwW+e8aN_&N2FLSBGHh!qOpzabcDxori(IvT%7Xa3x8`~wl1=ov# z285agRiG1nj_MbT-Y-BO635@_lJ$fEm-IK}C2QORb&o7k=|FWt?~>4afZZ3j6SiQW zc0;e5$if@J5F56EWO(rwwpOwXBX~guoOrl{48~OfG+#c^)ldU;kP!Bl#2`Q-8At@2 zsQ{lZLrF7<#S0AZ;DHB)%up2qBX^RrP#Ln4=zJJt!V(Q#frrWz2C#?>y$+c}#pS41 zk#qp$iBUv_%N%qWaKaQ3MeyBtbV?789*hjM8=WJtgpR|&j67qLWQ+h*{>>PrLLzj_ zz0|NJU@!3)HT@h(Q&Fr|L=BNkmBA5dN&2I`OO8KQ=f?t%SvLp&o zl=AUIJp{RvpqZ}l0LEoGEWXrXvZ4inESbTe+|sZou@rzl^9H^b2|m9pdCwHc@R=>i z>_sdAYy>MJ7`-7sxB?SCVg>d~P>9fFBk&S49Pfnb4P`@NjD83)hEeE6hEy^PB@_bO zOdW~7Fa#%(;0keAbbuYs{TLtE3jiB<#9zumu0OI&g9J@O6A&@I0_-LkMKb<;Flms} zV0;w=>0sUn<@4d~Zj>4L!(D9hP!@Ox;#xef#|tH#r(irL9_jLE#f3YQ;PcK5nJhRp zjT-?kv*G=cKX}N~6{##-2%wBqRB1rjk(~l0LKdGP!^g`Wlw|^I8ABFGunZv*9LN`T zg~$iOsKd}L=wD(QR|5?U*SVosGIPTf$M`mmWA%)#ubr+iolIq zf5;ooa^r>r3rgCBMgn?40Y0z%OX~vRq9l;ONbdv@0&io=LIYuaq017sD$HH7h`Z1M z2gF~ph`(g@#-hWwU{`=zgz|gA8B$~`ux3#8S9hU?IVJ6*^HNO9dkoIz24Qn81K9B%sLwFQR4X0o&(+SpeiQZYIJY z$AD>UMKfER3S#NusSY_HU$mLQ9@05mVnqNY!Fyv8)rG>8>}O#96Ags% z0bvWHgW3xBYKUgP49tEQTA2TVF!xadK~VqqBLh9axC$pW83P~*8cfhJ$c%jr$G{qd znu^JXXMt3ekgaEc>?t81qsYn<@@qYiR0(Jsu0BGn{h6DmkULY_le z{j5gGujEn`Sw#~0BO)~s*#kNrsfxJn^%uY!mv0MwiLE9-kxpgN=MP2No7W`J>ZpX) zs5q9QgWgSt&&?regnD!&(hNvcMGA!iCEy((Y*9+dVhtI8hXepXP;((6?A?@+2!)*; zbv#aq)D(3{h_y7}M^GrRa>%g642RWs#HXC;|NYb`iv=&65W}$bTQ&guy7$| ziVhxdINJrPhK<6M%WyOmHY{M0L)Wh`$S5Ox+Lesh1sP`;8t9{^h&fF_cq$r`WI*b{ z_R~Zj-Q5A&Ua<$#FG!4z9!LnnQ#Au+gpw{j4$K0;G@5}Z%Htkf6LK|F1*CnC^fX30 zVnZ3mauiJ#qQPVXsSFX(O&&OCH3}j_5cDR>0WR>6WC72R2l@~M%4DUeEDA-LM9d{J z^}H+vbgPC%&@w&zePtyGf-Z*RFL+c$X9<2LsDjUw<0wes2dxFRWpHD}CP*&>yH?C2 z*Aazz1nr_BxS|0sVJ0NTE%4Bzks$Y;FfzC#OOyp1u7b{ma$SfF>rOzUv>`*BeFdWE z;_MH?hj*Ya#Ixx*s=K0utVN`fgxn{I3=M8BaP`E}#mqnkocB|0+~_$xJg*hPRC> zfl{tCfw!p8oe&TPnM*2pPNMQ?PQnp+A-dI87QIx3 zW+3b#<>)=(0Y1xH3JVFEK^TgFC#o^*3DAxnpKv3daH;qU3piW6>n56sb_W0zqZtn0 zb|G@dTW{P6XxWBUjED*w0BAhQ8Tt_cXRvWZ>0q%y>4L?Q5K?M zhml2=DbV83Qgafv$zU`9e8B|XSnCS|hQG86!w4dg4AEd&CqNJ4i{%KAfs-ZB`4A%c zJ}1)T>DWu^%>x2*2?ja)zss!%eTMQ6xw+w$6~x-P$H$N)q{)*^NJ#p@GhAu{?1XN) zI$3p$L@knoEqXmnHx#Hy`Jbh{`j?c-6gd*3KLzrkv>cM1Plg#)bc{r~)Gr}~$;n~+ zFokUT0D2@RgYCmk7cvv*yc{+^Ih~iwW(oL7Hp2W&w!kKdmyyZj=3DaxB%2WeHXnRa z`5ZwapUKL%u})(0Q+PIfb_z!zd_FVZ%GTP>(b@&4Ooen%OgaZLhs=_Ad^YyyW@p$Wrwi>_>?9i~ z1~N{`w@HCYWdAn0Af1y033+^>jUbiDXR~Ys8O-!_`WUWkC&d5%H(hb zPz*CMoo&Tr@{>}X9j%y|nLx3a{9F##2I^;nQXm&K7(FA;Un?zL3!IrvRyHRoOp!OG6s*4p0Q6_>Kg6n`D!bEoA4}aCz~i^KeLzJMh7!*u@pV>}l47>}`?BheRZKA-oeV*bTeN#+-_?IP%#b>4vnfyi+{vD?MtGGz!@iUmP?jQzZsmr(=mT!`2VV)f3Z^}GBPQh$NfKP7_4&1 zLeS8qyIMT4&@!CKOt(SoVqlg$-mXJ&$$3woqD4c1O!BC(w9*e)y=w!Ndhqnl%L zqKhr4;`Yu?E)KS~EH}1`OJbs9a#G@7^;mI6e;Ma&E+>fxI#4Dbv=gK)|A8m}&N#!; z1RB?0R%6zm%J>(DSZbo9eFSb4%KmTk;h(aCRW(y!lgbpNCh~c?NcpmJvL^HmJ~P)Q zgU6B{Z3)kT_Ad_m&2;(~yFkoeu)2%t@|*Jh&anP<`V#6b3uMXvVNr;s|Kr7>HvI<* zB4!5SiSB!mZfqkSMA7Q|=Yjke8RsX%10Todz;<0+>_47C-7@@(G?KOvhztF9%oTrS zT9J~4*Bm@m|E1~i2dRg4R{x@G{cC%8$;kq?5VYDPiL@g`6e}GWPIyV8?IE%275Pbv zC^4_$$p6u*!nmXS;e?c|yaLHig-RMrB9S)qAd&ilD`nTR`n_F?BuV3;NTkW&2n3+d z(UUpsbQV1!L0OGT>J546flCIL!_8r)b6E6r&_#u*bW1urFB7yOHj7RoS&HHg1eXGF zS=pJeX28T3=LUWwAq<)G#rb7()3_k?={Zb32h?3C@s}(~6GZXnfU6AYAXu2n=CkQw z$)a<4;&cLWyef#NO=8@x1j`-=Rk$boveVP~*=(>Eut}s*%2ZMk_~pvM0S|D+wgfuf z+q%<1?}qGI^lZ>8nPC2cm7I$?;8>6$INANIKO)PMMMVkvO(+Nbc-Jx5gEoz;v{pDeoYV-5ea=VOomF*19t)Z z2Efl>#9CH3%EZZ5oLi_Oj9fL$vCdLF1Wc0MXpz+xvep*is|y|UTi;DfpW z!cky6+E#Iy8EjB4d3=sAA8b-A4&H)Dp5jyZyzEQ?PVOxZ{uzpL5L+an<9ONpBsSzO zVCSG}2(lAVgbZL%P7+ZC(K8q^IXu=cM0^I1D@=`tT-d@Sm?|993@AyEoq^2)@yH|% zn^*9MMsc{fq6Cd=_tQoi-#wP3;=@p5&_Ia>6GUk|QXi7C`FvDi7BgS`h-)Jza@p*( zM6g>UbpvKLY!^V7v9q}B6k)nBMF@6%Hb)T8hKlBMc|ziWs1KUxxSt_==wbZmjg0+# z6cQ>j=04P-l4M|9J4Egik^4;Kz5rJi!aGIoTW~=HkiLMc1a2_y;V|5(!KfRf)C6k z>aai3@!0}q3Ok;im&Aq~SefZeZai*sIt)Ko*q!bc9e@BVKMp}%V3i@A02eI}m%#-H znA8TY5x8U>f~J9sXj^bmKltL#MYSi9RzjbE@FcAP7v&}0H=9KLRs$}Qrw74BZLbFx zEdvrpL0Kg-1?+fKadFRO@_DT6BoT8a@iXE@9t0bsn3(Y(pHomTG%gpwMePvRcBNX%H^5@P_NSa1O6GPy}?0SF-Q;$Zm^A@xkuF&@~C zFBCnqxh!vF{6bc^~Epio;#A=qJ>YAFYZ{J0T#;cV)=&_L{TQ?m3D zh~gxYVz4AYv{Z_kE?P z?e6^--W5lHW)A*^C;u2g@U%Es#1FqDjVD-K9EFe)VR(i5wG3j#2fi0a73GF!BWgM^ z8^tQ-FuX2_SSwVtIw5HyevU9A)`VDakxXQQi)3&nxJbr_foSjo(T-hWO$;LhyEi{W z^yEeOdt+(hi*y+h$w`k`PfWl?GI#~#hujKq(HgV~T(q9<0T=BKj)9BTmh<2unQjZ| zkn5Y34LW-WPe?ojfs~3&Wpc%CC?ER|14aQ&8HGqaiUNW8kX9`4;jvLhBGO;rixd!l zoHu^rLZCkvdX6s?M013xzFZb|N&0l6Z%n{N>(l^nQ5zhoxM*#i04{3lG;oprG6P)H#yKMYCE%ib8R_Yfpk{d!YL*W(U-T3WdX?xAt1Y5o z6?Z?@RH(*8Sz6$tvW&q+b+ZH)ji)QPSeHlIPG~aDCo+}87joFbR1qx{#VrCC=@VWc z57M@JJ{KnH9H z@DkQQx=0AYZW5GlIv6zQXi7rd4T@Bf7PzQyksc$aQ9F#KXmfb(BSkyHGaY`xLZl@yjj`=0ceoW$shE$6e8i5 z^C%7SM`Wp_EC}lZ6+}$!0<4h?t~LCINYSYAs8g7*Nz8(cb`li&ScXdCfZr@RV!JP< z=Kzg1YXZD}(@`HwJ<@Yw64IUNY(l>hkVsml#AX$e;E4jsF;j~Yp&pWYB+}d2{>&g6 z(o2;Gl0dY9Bg&W1qLfZQQ<6v}kkUCTg8K9|Bb0kdOzEXmY|ugbT_KnNBz4Bs@sVr{r7QN+mncrEv^h{# z-=BRTts{zZkoNjZa?(XekC)wop&~>QajFjoX~y|_4rJ>U0LB68gM<@`bKa?kCku;4sM@-*g#Fz= zs0sS}N30Lx=N~YC5Gwy4O@J`ii2VI25RS_KN7EpRMEXY)VI*KKe}5{BLiPVg(_svW z^baOP0xJI>O$wHHP6WW5Kx+gXFF$=7<^@?EP#g3>qm$@QtRW=Qnoz(Y##0Mj>p_&_Wu7PKeQw)myxV!GW+8Vteuv+C$4-0$f8+ zr1ci1HG!oSEvB#r<3&+SD~M?EqDk)-j#L-4h>8^k4(KnYK#S9Rb&HSoIVgS-s6%Lv zqz9dh=#)oFW2bIQImmy@9pwH#bVFgd%J7m@`SPtdrWom*Z;cf%>Xi^5E#hMOFwh24 z^fsW8+J{a!!cLihfP~C6=#pGGHZMr!WTM4A98RQ&b|Sf{fE3X=LOL7+f<+&c6ga;R zFFCcM5rf>Inv5oCqE$k`rleDvD7r6B10iM7M1?d_BTXEW5b98lgwP-{TBV6jX`-l2 zTnzIvg`z@2=)KBLm#6*InmDqT%>uUANmvfo5Hi1=qK&p7l?kMpR~U@ z5Qw$VFPae%Ooy#IVFjkcJVEFn-n0?Gw7?zj;5{q>yTzJ5JR#egM^Dm7dn(Rj61Y7f zui4=C0CzsPh(GXl8^Mo~{i{2@7Q)bU62}1xf+$}M7SaJ<$bpRx3*~nm;-YCJ-Z*v3 ziu4u2ksd6S7pmD`GBR}_U`xEm>z0WRgh|&2TaGYnk8A}vGCGa{KGxROP^naiZwO`n zY#VV}gD%KULe}?Wz@+mbUYRJ~FLf8?Bt|~>K^(M`71v)nt~;GXYKL$nzQo}_>)$OS zh$H7n^wnSDLPoX_hRjFeu>SDuEg5pK!GqJo2q_k9CicVB4 z_Qd6i`}9vqTp>Qadp-XY8RDgO%O6$=Yz7p&u(iS_DA-crJr;sF5yXk$O$2QsSQ9~- z2+l-MX13@rQOM0s=8LJHE?O`cwa-B&kVnH6kuTsu*VfM7!O_Xt#np|Om;?qlsY4lz z?-lhn?OJfl3{M_v2G_Cg`!r>5Qc63f-Z5VyxwMCMLUx$va%jY=0AG4zMWZwIYe);v< zADVaG_6sVw7<2j+&41Ns@6NqxL;X)XL_Xi3Fu{LxMeVMB#XI~3^=m5Z9zOIhbw8^( zag1KTa@NFCDtf~Mj(xk6bD23cz_wtK`mh5B0tR#Mq^H+*23%-RpE3QuX&~dP&e$h9 zqXIX3gtgg)l?AE=w~rdkIvE(9u<~_qL04eLJ~{51+crTyZ|mCIpCkoo)Vwtq)4nuF zZ$;*YY=etI^O(ugIegjR_gzDt$cDNG^FNh7IGM-|9`?me<>0rq!8+sWFIgOJ30}R_ zeWFC;Lq05d=ZQJW>99C%4@0Qt;5n=IPI)}gd zIx9?XrSk%fyT`&3edInZ*LWW`euVrUa%}(M86!^6?&l>8ukY^|rL$z=@NrJZx86I{ zFg*SE$VRv*Dg4Z9>mzgZ9K+qV9mwFDaKg{TSSa;QTODq2eLwrj+AHCvA?8Qd%~p)4 zX1>{0vTbmLazXS9Eh|Ap=;-Rlai1z9l6GBB%>HmE!Z7npoYDc+NV6cf-Lq4NMOv?( zzIK~eL1e*+g=W?MJ0nNG>*8wPeiSLl+BeH^f&PfcLw9Muy)}HqTJ40}ufnH|IBS@9 zWoyU55ku4luo^R8k5IYpiun5bjgmo_ZEYjqF=>12x^1nMy5HD%8Z$A zBTspe-f{NxMjo^%a&5b^Ze)MQiqkjiua9(M_~p^QsKgvMw|e$;w0F#F{-+IQj(IWF zr8&KA7~5jb>1^Q~e%ux_q(c4V^R-%|LhE(jSI!O|Wp7~H<(E5o)I`$>E_xb!N3F7o zl~26+eAMKxBfSe0O=8y#v{|@fR#a?B&w=~Btx95-JUST>u;O^E2Yt`u(Xt<6gEu`e zaV#D%+SdQVq6&NF=n1zN2mJ~cjgAdheX4u!?C5+!;N{FlQe1S{U4`K9j&T|7i~L$W z#>So87H3tJToIS8yW2Io=xUrQvrQqRLTSv_3Bjg5a-L(FZzWibkQa_Qr@B9Hi^AqH zh0z_FBmC}-*}gc;+G&njeC(n2{K=Vq@%(3T+UrUt#`oLh{_3IDuK3sSN@@4*bi}{d z+vpp8%^=}j`0CkF8^RNI^qX#76*3)Whq-&S$>9W|rfC@ha)z4?~mk z#A5oZ_=xvSi5nh2b=hPupLB8UL*MX1_oU-fx2G*A%}laSDIc1*YkkspPp^?ttv8ZZ zr&@e;vZS(3*S!^byZEs3cG-rj`{uKvS`Q`1EZ)v?R(5Xvc=!R!yVU!7cC|KJT@V>^ z<$4JF`I&dr;$c(RkGt$N*gE^z%)E)Cju^dUdr(S0HD57FR=%)v&$$`V$)%Ix+kcFm zliXEv@a4V4x@6atW1lYh@*#PekNm@e1C}XQ1Nv;A`;M71)8P52omq=ho|#s@HdHy6 zqL!-|ePsqYwPoR1OT}kSslD94xtwLErTY1NPh4fRCUw-c!(XPRTua>%P(3c?cu&su zkgBTIeV&|Ai7hSK9YW4)_w&8((YJ7#eJWCCN49d5qw2l3an#3_rj5IzQ|v!hpb+Cn ze^@wHalMO`8{hBPaMyryX^Z^)<@=B zdLKc#dz7(##iWNF+Ud=%iZEy794uHu#L*gS&`P?UC)=daEiii#l&$u4^`7F z-+~(6In9joi&wPs3P;x$9Xg?tdC{$)X@qWAruU2$KF{dInUPygX!Nz%pZR2=V>wUo zDwB4HblhxHpR6c#hMmp)ky&Xm^S&L}GdJr&%ecFa_9wD#&(YDW`~ER2;`Qos{&y?> z)eqildK^vU&wRIVW&?K#f2-Z+XX69T^C|HY1am@U1m|;Nn{3;h1(PEAa)+0v3z~#y zO!l;{5y*w-Z+$SbSuky5^kV&26rp459Wo;fM>DvxTdcUV1ud*j8cEk2?Du z%J+qXjtUCzglc3{wujxjx-K9)C1XB?y|F0!m|||o_lvdJug|KteUp8f-TXbMdZHIS zr(|%&NW+N89Gj5(mk(2B<{V^>8+-5g(HxC}lC=YFyv-T4!e(~PMf2RuDPOE2W#e=E z+8lx9@GFh5P1|ybZQncFkC@GB0IJ zK&I1#%X#DvqtAKi^~j&>AS_gC8cUjh2_L3w5A~{yneaLCV%ki_ zvI(yJPn_P`^W=mx?*#jzdUZ|s^tvp$D$J%};1bZ_nK?q|>{dWQ~QRtZ|@h)2JjiC|P{a zB+=$aObdY4m7;~+!n3>4Io;^oZggHZI=>qY*P>xyg#Z!%bN|B$HT6_jY9IgcPU@7?|543|6-5Y3k zDS9L1=PN~T1=<7Xa{y{4gWCZ#GE~r+LOLAcWz(g?K0=tW6#WHgWS<3-KzeotmoCmj z2FjF<2RD}BJjLOtPL@*nr~|D8G_oNR22x~wX47+1;p_|?#7ItN^9Kzjj5f&d1kp(& zfj-`g0Dx2~$2YA-7dKa1S36gGR|i)|S0`6z zR~J`TS2s7Pq8k(sm%KnmZV<`M?KA+?Q=uPD!w(rY#q>xR2wN#y6KK@u;_x-_+t64D#1ktJ8@Lv zEG3PfE}fS+7G5vQ6v8U1+NiD5WOG_ zvz-Mk=fT?vU2rWGW;U07mS=Zrl^YWu1;1q4=yFb_t(&+bHnd!u<7P0aQ-WV8G?FjfQ=Q0 zn{0tz^9CC$lZ9-}0yredL+`!QAuqVBh)#3}I{J&=UqBXeI5Q@p#ElgEJjnuQ)>#O? z`I#8xLN;L>P3L3)h$BAnP6qx#fAzk^;gomaB4edkj*kX@RgcR0LV zhT;SgXA2X+Mfvu$?1>G=-7zS!TssT`5zWK@SL6|i@p0*Ku*|}7r0L7h10YpP@B?5( z8_|P|C*V7K@Y4){zE0z(u>dDsLr=0r#efAp#E(s?5dI!N7PkQSG<7+Oz&;Pi(L(en z2Ub`B+}7h~u*5=?TKo*wScr21J$Xp9R)>=$qqb%2l#3QR{8vPnbkU1l z_>WGQcF`sV|1B)TCSFPW{f^kwi_jSK=h;EVCSSyS=x>HCVfq!v-!g$P0gK`nUA^@L zn}S90D;mNHlQ05B;ZN?!E=_D2M$8R=Q>zmQ6R|cXJs(}qBTU5z-2q#7>GT1F$(V@W zCgAL8!=_^#zvyO@EQ>H9ZF-ay&%1BWlG2idsdUQQDEhA92 zVzgUimVKQQNSK~s-p!K_ zs~w+3n4ls4`u7T~H8*<^rf7Xq(X^Q2yX!aA$6}K-T>AQ$XQp}K@&P_JO>2D=JO$_xEQ=zOECPQoU1)l}cQtS#{qnx_rIrgW{kW_y)Ixq2m=DA=T~?{@m0`QiTa zqWuZex@!GiEkSyAcD0_!#C~AIozgRxFE33bOzrv$r$60)=){!OafHd8mT$p+ytS6q zW48u2y=%4zCbl)-_wY9%Oz?WiilxDQt50XVUy4ofw4$?bT6rT~8|(>_yav6%=EiL9 zwDCX2VAH&=;oTJnz7@q~$_$Yan6jH=6sl$J8ojTzaWKHu7~UA}Hb7Ru{WXOWJ3A z>%fo#?d;;I9`g?yJo~x^LkpS(UmuJHkzWX@m=HPF1W)tl&) z@^7{TlHm47K+yMt~#RFi-pXp=uXQ0}H~Zn^ahLlGK%x=3?1 zPAoVdPCyd6d&-aHy@;7`EP{Y0sO#!Fn^QB(YaSP3h(bN+ZI$wrpt{>__b^nU(_8y_ z$0c4@!;9G%vY@INb}&yj<_>!D5~&)?grW1@uXHjTi`?@Me3~?9^=;eHvww?Rv*)a@t zsAZQ;v1}gIv$Zb)d1x;XuHQTRwer$T0{Sq#U4J_Kqo!hfG68|8s*TUk8u&kcsM$MD1Pm(Jl{F2cHb$K?1Q1p*0KWkh#NNrsb z0j1DhUwrs|Kjr%DK?J0t`O@v8?XFeF2DWRxuEb+YZ*Z6Stc)F%z+eWGUH>Z?vbG&-;6 z`4B;5v z%a}F!SjfX4x*{kiTFGi%=GwbQ?~lTej&^n6r$*(#W}D?%7}_xmvKjxQ@S%-$KRNkBiUgYLySm{_lVqennM zT9jy~V_Uk0zDgvZAcK@B<9$6xmt2b@AR$$9l|^zd!K;Axbr>4bBx}_kZ3^AGa_3tN z5$Pw)ZOUz<&0ZTyKt;5!9Vazno2_Oi5s;B)?p>!_uLHX>zEUuBq}OvR*&_Gi!IK39 zghV^9;q^B1#8am@0!q^GELXMdFJw=ty@DYnJ;gPYG0RhpE{74&5;b7v-1o=4DizoS z#H6uuz#IE4wc&n8E?}rh*DJQ=Xx}RP7tRFaL{+sv&$Ep#+*E9bp(phv6OYaQYPtII z!*3XZ(lHDj*Nhr| zobqY}hNz4d2E}K{&=@JZoiJ3TcED(_qW1{eaT5__wW*{1?1C*LvYx47=*qBxdU4E( zS=ags2nb8<%hky_-Y;f#mUdt$OWS=`pU8!qs-Fu8NXwArytsDs%;$o~gD|wE`t8KQ z`@6Pwl$j6^m)5u1{x>TY8#@gkpe_T$9iwKLes?5~Cm=6Xc3jq$YLCgsZ@6ISOY>-L zFAbgZZFWslF$AXnvCO>M=9rby+AA0eqdD#7FCA#xwQ<%A42fw@PAr`mFkx?4^-~Ou z>CaoKQ@X91A6})3Au`$rxmJ7KnBFPT1XQNsps@64g3T3AD*`gpYn45kyW-mvzd;0a zM!SA;+alR->qi9=5SoTcj_!D$K_PZ`YcQ0i+c2~9+?Iz;cV}(GkQ#Mhm1U8J(bUCO z1hl3e(Bjg1Gr8~AeVrI$)1CXsDO7H#C%c zeLMl(sm*RMqi8>vc|n(e@U&hIeAVl2tmR}T0p%HFPu*QVc7N>a2?V64dihb?xKouo zt!|&f(4N+`it-zKh8wv>5D=e1qz~Cob-^y#g(ev4Q{^lo-)zpUkaHs-Kg|=LCzYLB zRPWn^fd2Fk3>toOb==C?CwUkGq&=Sfu&KxH;%&Pr7z)&U@Y3*v(tb2n%^FAOVe5UF`@h4%yKEbWaSC>OO1l+@U(W^5(&043$#* z8fJ`%HXD9vECHFS*RU0xtGOGdPVL0dsqWk%rx=#(>4FFXLZxPvI)~>D=7c?-jiFTa z5Qmd}HReuXwOM0GRma3LJ9Bx~`ftk*U})7y!_R*j>CCjd73vsbRnuL5tMXW$xn@HQ zhFZ1P6kWd5xp-&nKmu|#VwLro616H+$Bckp)g}s`_jx{bUHrD~7=qPaIj_SqC8gx! zvRDko8p<4`PN+Dx*WHtVWK~Z*Q7^BrVf&Zu#n7ylgXzuVpY@N%3JHkTpd!kAzdk>D ze<}ghs`{n#JJy9%cX$zyt=6a>q4$HTlzM@xX=9Ln5F7!uYndGuq>9d_p2*S;7U*1h)XXx^3~3SD~wF+@x~ z`|OqGqKm`!t{;P;V)et1wvHZmLg!&H0U7H!XFkif)V1B-*@dBFs&`QG(!KPrH`56S zSv~Sz;lzjL2Wc}-V<=gte~Zyw!?zZi{Rv3fXxyVK0dHMy2I~^gvYJlo41>;7VfR~= zFvP5Fr2Wh^{o{I_7y@cGRC}emWSwr0n!VdG?Qd{&(bp82Ll4X`RIMp&w?6oVEW1^ofUNZ!LcT?M+`s?y^=b@V)5fnI zw523wIs4_A1Ia12o|?LijaOg2BK>%h&+(izs7bGL%#Zf>ixP&|KWEf8nI+PyoQI4N z9CW=nI3@hE&-Mcv(Q+4^!k#KjQ6YD@YQ|dV?MYl?%nxs;ZB8hA@Zx$Gm32^Qi%Lpd z)RjEpXp2x+4UhgMk(ZCX8=$yk-mbTa({z)Uw+N?v%F|PvJJYD}&k;;x7p{BWu*^|Os}-sk~J>9b@z z=ZvWwr2c8V#bSpXN{Ct}M4=sPwqB|qBC3yp5-|BmACAMvI^EG;GR5cn-wtBR4 zVRPTd6l>agrQwZ}QnxklJ#e_?#=Qx8Pu(lmI=*;)H+~T-|9;^&jf3@5AAjiVSExgK zYBg!u656L;&7MbUmDzQZa{N>4%=8yz-E~-6mid%iK48tX@?uTz;}b1fH@-D4*NEy^ zwOv-##mTPs`If1i0f%N@U$XPEeplJ3Auab@jAt&sI&|oJ6|K(#zjMBi;yWs~dSAX2 z$5)M;)@$4#kK_%GRhRdKHcTtMsgW zpqg40n|Ns{tN-GMW3;GrH^Yd|wn>$(dtUks->K@k%SwB5-_Q%;!ShFst(?1QSzWXm zWBtUMz2n3BZMj}>^L^7BL&q@ovG|6K;Rn?kx1IE?(=OZibXm~VXDSW72fcA#enG9M zC+$RaME(wjPD0p`4>d+9ib9#$x2=w+4BNHw``jb8*{Z_Sne1jaYP>~Ft-*;eK}+l_H(l%VL1*WIn7AEIi#@7hjSl2KIjL@*c)y_E zn5|2q{DZ#CpT3gXYh`M~^@go)I#tGf+Ph(q?qID0?&H=RiXFwbwpvi^qtWR5#kyYi z?DlPQXV3ClDNFNJn!jV?$J;vt+Vi%o{Nk!7w}x^2+5Cd{+$mNgcG#TJkgZKgnVHQx zIdVmGZoj_iw9C&oT)#CVBjep^vo{ovR=rz&o(~NBCw}j$e!Ba|x>S>!H4Q_SCDiew_TNt! zVQG57M|F{A-FaEV==V++4yt85a5vbxl}wSwR% zE+#3w$nW3hQl-hgI|V{&R1e2>_e<|wnxuTmZt>R$UElN%k97s@m5v^j?|i=X)>sww zDWc8XAR=x_c-+_}H>ioxbN0*LVm`Be6SjzY^u6w5-}PrM`h^@C8GG~2M)o`ndfJrq z8&|TDs@v{s85uHY=V_~}&8O+F_LGx+%StNOqukOy5|LK(P+_H0slgKs&9xfC8hg)t z`!p?J9>1NwmF99ND=+BQKA)jm^oldczWVV=$4@tFoRO6u;V*k+`ASWlC+E|A@47m> zMS+ z>XWM5$6@9XA*16XT~jsQRE;vUw!E@Gn^I8doe<#@JIhadWS`q-K3=n3c2Q@u^MrvJ zYJD$v@k?gb&fQt6^15q)hS5HTb?Leu{rTn_Deul4x}*Jh`H>BwZU>J~Gi)BMu%un> z!$(^sow_kAT5LN%H=ABH`V>E^hkEKm|NJ?9ZSGCU(Mfo8U!F=I&OOsJ{OH4rW7Ku0 zPP(LAbn~@5Pi0y0jX>)AtErRKNhd>_+aJ8Ec(1BEAom4%%QDUl+Ft#SyFT7hKXhsq zd4~GSYT^8vQ=_}KQ!SP5rfz&O!9Vh85pSXSE?v{B?GgK;&$?4bEI*nSx zJVq=H`0|NAD8(% zni^CC8aW?X7q(Go+>v3SwY?1o4tjYi3@llduk!^%%9OPm8eY5H%vU-)_1&2|druFw zTV79&eyH2DnRh^W)!yWK!w2OD&JDO2Vcd67=0wZz3hl}Mi!x{OH|y@Z)0f>T+@-cM zdxmcB;_QzlHiH#ArcX7}8dEWz?>sNQXWyj?&sV$X+-uia9Q(;r=UVYl`OZR1^`NK2 zwr)R7x=(eHzf`iU4|Uj`A-+NDQ!aFvUaK8edRa$d$GMfwPr|Po?Y(niHGh-3Yrmd> zzAta(>sU_Y=+sT4#$4Y_Tl*m1qI9Tj?^5S1-EnFMD<|piIN;7scrCdP7pm&kebv3HYA|JmRZtaY4F7Ps{#ie7FRc|1W;M@@)PDc1O;fQ4 zr(E^4{MN(0Bj>!dNqen)U3khsKF#DiKd0qLiOKQIq5Usu$sG!5G(V;Kqd6pHPTIj< zY871tdBTCi8%-x(AFmoe!7!Nlz00DZm(pIl>aUE#B<-G)8W$R0ZK*ib&-AS0xyfp| z7xE%6?mwEsQ_k=(SMW??u=j_!@I(rt;YJA2o`+I<&pb>yx$x za5G;%nNLd|d%d4)uU-mTv;bW#Z$tfO#?{X)*L$R?3c2G|S4`B53W+}4ssDY(t zF>hJ<*H_FKxbXFK7iTp)!~5^2oEaLB@%8p7h12uA`f2M9kX2aCjkeX=zUoqCdAM5H z-AjWS3(R!QwC(ga&VOp?`LNP<(02pBz4@aa6mL4HO&UJ!Sc6^Ql~ZT7O8J(vq^rox8GOI%AEs|@475c=FPzx2ld15A6U3~ zP}k&l%XBq7>>tX*G_S^maZ8&^&sL6+ zAAT}AsOn>g#{7xexs^p16p|<82lY99{f=;{ z+G`5Ay=SIXX?5DVev2bV8I5Wtg{_S-RX*}+w^1HdLr24R`He~H2ASXAeB9Y}gQ}i8 zcD#DIx7M-mv8TSX@t*(Ur2Lz6XDxfG6b#s|Q@29pNRvx!Pu}4*S!Yd3)Gs_3 z+$iYsQ!H6h+wYoQCbecYEAM%%%FQaXNaYb-LAu8Z!xB2T4<3Jb@8)JIv!{kbvS-oT zqm7G}SiZa~(7i?t&pe+To?P{6VQ@38c@dp>WRt>M3I&w}es zlMU1RSi~=yI*68CGt20m?y7H9uA9EUR9vX{G3MG%i|sp>99}SOsaX%IrseqD_Xo`8 zRxP=`O3g5RBTenpNRt6d1>=rdec#uR@1dVFwmRfh#W&`;=*EOK3zuk~dU== zNlmFE_>QWo`;M=^v2jToZx^dv-~Q#Pe*GNVwCw@egQmVW z8?);kPg0#$vi|f_t<|+H7DH#QtXyG`mKi4h>YjH0p)cjuXiclpn)&v|O0!+9k!iD6 z2IsGOt11ltkjQ&>etMp-%>?r$;f8UW#!NnHLb-B!?9qm4s$Sad`vX(Y=?&_=dd3g; z%POgA85a4T<17=jm)=}DZ%Vtek*V=Qhx({pL)F^URGbZ3wD$yiTU6wgy56q6y?$Q6 zJ+)ce(>5jdD;$+z%v>{hOQX@+qp$Wqn`*BSTpL_levqdVvaEzT^U~Zc9%bu4v?a!< zE8lO{T~m4e<=Gp1282!?M)fT>9aGNlH<9*X*1a9F%DQs?2HO7br+)ACX`oIlr&+zJ zB0%kG+^WX)T{h|yrf;PNlWE}*4N3RhM?c!%MXA!wO1UZQy+&WhrpEBgXI_-X@o>NX zH;QVi&5i}y*u16D9EbPXGS{&~L+QNg&WX=L^-lK6dO0}GXlq8#-sbi*Z)mJsKW8>u zOXpCuqB7n5>Nwg$_X(D7Af#{Q3b-isFB`ugrfXRF7q%=>5JHDzh4noHuG zN9i`c?>ouu5l!x~ey8czsIs!VCKRXAb^1-uACwr_-n+3eaPr!?Ax|`K_L<_bBc|~F zv$YpOcGyR%j&^gk*>d5{Hs?Iw zvvKalld7M6T6nv+^zHpxZFWn+&K`z|WA7d9ZxTMFpEs|HWv=l5vG*qMRCe#*=$`jB z&y*oM6f#7E2FaMBNQpF<$vkAp&_IzPb0I=e=BbpBsiI_xk|Cm06f#vRWjfc|?C0s} z`TyT@KJV{+Kj(bT=e=rK>wDk#ny)qN`(D>|Ez=G0OAOI{Wi6ciB~*{PnM<3cS;9m6 zv5WPk5w_y>4^}9qGX#H6vp*EbCgT3RCUIGO3E6S_<9LBWck#EFjfGr>2buf7Dxc93 z`&KRzAaYuGM}Fs??+aG#!_jd=wnK8upND!YO)mtfkGpG(=~KnIJ<={+u4_(i{Tzk= z%%&sEz8`mQRr*eIKfyc1A-}?=W4oi(KMQuh2d_f)vcuZ!ra95ryTuUyHaAB*XW9nxibs-;mm-tduq z-x#JoxQCB(SI&z%?GwxbJyn=g$6cDQ9D{ouI%00{+_ZYSr;0?>x^V6NL|@ikj-sva zeCru0+3E|MKdjBXEiffJG_&RU7Ja*gODnzxO7I$g8C^S5{KPYOf$jD;d^v~g$j%Qj zE4xLM7yL>@UK|zta)5MR^{nq*>xG4wq3m0{-_$p6!eT8Rm9AU=Drjsq=lHd+pRu+I zTMq?(ib>~T5(-=XT|DWY$xOdprH3BJHoi_@lc0CM&aC|yY-z0G5zlEDGuQd-$K}D} z-J30*22}~=^)!03T=EHg=qod%)Yiyn$m1e&T+RI1mHG=o^4SzF5s_s#b?t3+VtR6w z_NsWS7%KMpvOPpUy{9n5N*QCkEZEpwV!^R@xX{Q+uQ~BFS9+W+i*=z{&OpR2e&3^O zg#$FkluE1blm{G7Ei}LNWtl?C1$pUp-(?jZeyIL<=o{Chxz{-^p{jwq>9TIo%kLcJs}fb<<(Xc`^)tQ0LQ%cdiiU&pYx0+V>=)T$5rCvG>K5 zJRH4iqW+C#(Est61i$uc6YN2g!Htj7g=`36W857@%dq)pN*~z?o!S44Qq3+>ayZH7 z@~SkpwQ{9*vKsi$n(%0u=a=eq8-1Ow5q9QD+O0u8D_Yl8(Eshy#t&i~Qu!~oClQqn zX>BkJ5>av%s0{6G;<-B4?^Me{JlFV{$1?4`3&*ngJ7RXKo01eGIi4rA`Q1Ha8ASHn zxa#p^UP0FPtm|XAho84a|IpiX)ti?|P&umSM7f72OPz}JvR@qDb@GGJVn41jikb~dRGu3@&EB&WKBT@90G#%^;c>2i7q zU8}mg`qtD)r791X3}3Gh!*?sJ^x{5j zm$xzwFP(Wz;=H@8G&A>8Q$&fjt91Nx2i8Yi2h(#oxp>7m_;*eYaq^`KzZo89?bQhA z;dcD0ul8ooa{rb0U!F?Ay;B#JRJZk0;$DAto$uUfTU`Y~*ha6DXD@5fi;inh(XOhy zw_9@G(DFK_tW2-=^%VKGCoaJ~_qZJxMpx9GkW7tWeR037FqZwzt9+{)2h}iId}Rwl zXM*{czZV_3`v&_omD4P-NPY`X;a$Oym_047I-Va2#3O&PzcYx||7L}&7W3&f z0z+Qv=N}y$KKaEWf~<78f+zUrMuNRha6{x>Mv~PV3y$M8l_d7449|fOuTDqn=K|sz z8yzw;N`DN$xR^I7q{=J&D6MkEiaOJAHa5eEqNg0zFL35omNyo7?-YgZ+IvcHUvH9* zp5XAhHxiNUr0xb@*3(+Y-QQEAZc|^LAaW~mo|0udcb=GZX5{Ii&x-m|LXFiK*sGgv zHjQ`foLbv!z?YT~xMBBCBZm9=jp@fGk2Acgp_8kqoIqSa+(0})yg+L991L*@D05SkF1Ud+01at`KFwha8qd>+$CP1b@WR7Kjr|A8_x``4Ys>;BMI`b9hoJu>LPP(5 zivAO2liIuf=ao(F(f&`AP3r0X2i&jspD3F&Jn)|=n=~@~4>ar<{RjLGn)&|cl}(zN z{3psLtt^1M>ALk6^-aRs&&tMtV`gC`Gcqv~*%%n{EUau;CT12A10&P_s(X;!|JL+T znW4D<+saRG6O;=*{J*k&eovF$KYGwtNJP|}lO1CUe*Kbo-&s(NZUa~moB%jF)`j^C zi5b%IF$g2kK05aK19t*O5;FArZy}5%Q0VyMA9(T)JO}vq^w}YQB%wl&zX!sw$7l$s z!7yDRzWqi7jPZ|8KpsX#ZE>ni4T4xe?BX;JGlXCCtrk6+vNsf5eCqGSL*N<`XQ5|y z0m3LnPY{fBLw_uhu%Zu$+QD8H)X=+tqXpm@xpRxQ1vY?>3bh4%Xj_cpl26Y|2`~z8 zU-Ff~N5xYEAH-xayTC^q`#s>Jbm%_4Oi1-PYET;|4^IzYYb%i3^RTq?uypruvhr|p z_i(lHaCL`WKmGY+cox+GX+Q?&4ECkWecaF=PdE63nOe&K$5OsC;G=S20~YhA-zWWn z>FH;{v#Y@UTfWo@gaP3Uxs$m!{aMtus7`c@80+`W76ptt+YOXb+k$To4*kHO<0lYC zGSzh424N(VO~;#|ZIHMU9jpI=JpdzFSo;0rfRW5L9j5_C;#PEwWW0C%h6@0rA2am( z#ed+6B}{-GRviri7DZCz2+ShD_O8&3=oNzxGUBVF=F{;@pw0^OmkU9`O(}Qpk z$$@`hUsRoM4UEbHmec9IcnVMB|5OzG zo260LmHqP)>ZfLO2?rK2RbQgeKba7EYZ6^$gM$3Ungj|Cx;N%um(iF@N0B~XwEeQcQkZy=+XT}@%O*4yTW}m z@6+!i`EC%%2Kyb0hF7SNNFqFgSf2h2dW&NN!s>7fQ~bxhKjp2T!F@EB)8qav>TZUa zgnMWmpx;{*Yo}tEFDxo#weSJaa&tE~ShK)};NlyxMMF!AVbEECv=JcDcQC<4H~9hP z8IWDBr6@F`qVxxsOj3A&SyF3Af_85)G95vWEt0I;hUBUh*xfH2_T*9*f3PK_7ypE!B&r5gN(Y zBWZoGUv7R3TENlHoMw_07FLuThHef8ZK_at4>7P~9KrVkhejqHhc96#a4cZBq$HT?V z2ehXAhW@%tYY3V(OO&9Di?gE-*xChCG>g*>C~k0v*kJFG>ICNYJe_{K=jh@BsF!|;Lxx@{lnNE>U0FH)rTxOr*%i!efIbhf z$p(rn=z1tX?K#*pfxMAMj76<9zOaD?yS?;sxx1Q!0%EW(h2DMx$3uu_au?-+^i!Ds zr2>MMtA~pV)zRDyrk^Dnrl8-(-N)J+)JAyx6_0k!3K|48q@|mSySt2)^$B=Ij#TnM zMsC0w$aow|%*ou@hjtl;*rFm2ln=TKxp*Rrm^9raFdiXe7iXKlJB#)*+szXxC5Li* zy1LRB<=@IJPjNh4z>W?KA($CJnRe8oEv;}EKWH7>LRvIW6afPl&DDPw^KT8$s3T|$^Ovm|)Gug= z0(XHC8V@wYA+95&jrR7Xut{4FKH3}8(geN5Fu!|&J`!MOFaZej0E{#!l9eZzd<6z_ z$9#e~Xzz^5f#O-3J0nj1YYGJZG`BqN32Y6zOFXQ-`ynqXJSPYGlcd2%zj07rsOMn7 zfdxvMO-x$0X#PVZ2(;jXT`CkCgE>Q4Gz)}&AEDnBn8hZBNfT07G^GO*E)^{$?ldL) zpbLIq^rGF~W8kBG?JoFHybOFRNCV})RAw;chz7Yi^?)rJT+}^~AhMIZIG$)4R#3%J z{eh#*k0Jdnpz3JR9;A!&R%$GykJ{pIy-ajP)xhX>V4w7L`M{Lz|-VqBWjAH=@0R9XRxx2@!q0a)7WSIMkoc;9S6=br_NW zZDkmm@gO(w-N7NtvGfMkSnA2GTVc_Jd-VQnfH2xqAVO&%hdweLXJ^Ogfxl*H-lj^p zxGyp91 zCAa}_6W|CDuqK0(0H**>3!DqMEN~CNb%A>iZWP>iaHL4!Q*ct?wt&+FcNm-nxYOXm zz$Jkz0#^s_Ik=DDrob(LV}!XtLK0apr7q6pmgX=bz!vjgQvkGU?4lksUzWvwMe~#d zxB&Q2Dgyp~aHzg?Zjyq%5o)I);2+REGo1~)@m4J2Ld4zwyLL61P#QF&T!2x5dg#BX z2xbUsf;cA)Mi3Qz`Urwa?XS^|UbCU!jwivHLXFYyK>A2PUq_b+qdJfa^`hX=N`Qg& zKs6~3Fctz2X#w~h(n}9i<-@H@s;;24QU-lwg@4#xOmaNzSZgwlgu`J8qSzGzN0_!U zFkqJvunbr{mMDc+WLUEdONCP`SOSHB#giFvLfEY+I{Xr6z%t_a;cM*{ECEMApKP%! zaCj^e!bErg%Z=kDVbRl&HU&$@GvZcY6(KG&#FT*KAyqsPk0p?COte&?3|L5nh6Qn3 z0MT<1!tTNnu#h;Gg58J3k(ntLSR4ZrSqmos>0z;(Sh0{JkqIltfIUXQlF%pQ1u3|JEW6%+tUOGYW;C?rN4 zR!&%+Aje3+uV!GzQ3*KGX1D>7h?}9w6Yy9TEE#2n$JMD|u(c~O_z0{S6+?nw+5{{k z6{m;8KrIQ_+v?pomy8tU9zj4#y1jT8mu|)yLt8Q13N3 z3U(Yd8x|%`_^J(Ei+zWUBVzDSOM(QRfX#qBREZeeUV%7~YTbjesH zyciKn*^Xt#ZD4>lBjB*6cpL$m1)GA!Q+Q}?yVwt`WIRzF3r&RB0Z)L+vEmFUsFHlB zr5CRQuY7_MlfV~1ci~}sS{qrTzXU81!+^zo!!i;G*l5U~fTc1@kZ65J!r^713ovA8 zChUG*C>o^UOM>K~7l8jzMxaoY3Acer#PdOINo*KqJRU<-BxA73gnhtGP60vNMG6yYHq7^n3;wTX?gn7u%iHtGxp9GtkFnZ8Da1$m~ zG~d#38DKQ3j)A3DFwO31{r?vwUoujEp8JsV{`-omn!3ggO=(662}Vh2sQzCwP9TKO zg9`$;m3o?b8XaW#PYBYXxAjKy;-2u|Yw+SW7~V4d`ryz{hR{H$~ z2&35@h=QfyDI|6Vb{2NdWqiwomWffNsOzBsni6^vM*&f8qExml%8 zWkLm~#iJ#uwSAxdKD&MX`w|Y_I@ECJz4@H^GK&rNdiGBCVfMLh4Q|73j3=c|>YQ{9 zxD-$t&>MgYmk8e*?iG72wm$YtvLJEs9}#90c+G`_*%Lx2fTlDeo&f_vECcN_1DS+w z5Mb1xdpH=J1lny_Ey%QqgaotVVr&?2Sn^^TSV)^frqEI%lW+`p1_CWPJOxW2F~CZJ z62&rL$an&Ugr_A9`H{#lb&zQ36UZbAo{S~Ji#1d_93IvU3X#kJgPRr=%Yef$;3y14 zB8FCIA_ECSAQ1>;@>2P63=|9wCPF-gOj@i8mcRf9gJ1?>fW#K7MJ5n2L<$BXGr)ti zV&KV;8v_QS!%WApR9OlMM}pOe08e2Uh>P`Rz|-bgGCW2kkSU8zK!A$D1W6&|F=R5H zVW~x-927i;M8K1X(BBLsC^xMQp{`gW9*3piNDR;rSU9MJDvK&jCXrw|#1o)NFl1PK zP^Dpc!Qdew0+B?<Crbsdw z2kno8L}21xWEldq0|8b742431zJMhIvZgZW=xY=MurwSg!@*8tiOZouNO&kGa60Uvh=>{CxEZ{Xh7MU`emHmrn+Dhv!AwTu zY1r%lClJvYwWT2eXVowi#M%_d1egvr2E@j}(KQ_O*y0$3p+_J9y90Z{;J~9MLGj_N z8wqv*iyco}5P@6KdW%>SzA_L{3ed?&+4$11f@5*;Aj|@Y?Z~h&VqjIKz^KE+<3zM? zpz$3HDkAhGFgjvg*ls~{!Po`9!9ce{d(hel_5|p79T`}P#>&ukz_KtLfrp@fVMbVF z6X10?fd^su53G$k9as!z1*i{jHq?4?yaMwxKs|vm(bRxA7`Oq3E(Hb<8758`9ZSpu zvj{W~uqkj8jiF(df(e2ELkiCTvkVNE#lcO15DE5>h_PtwO-76enk@C_2J1qI+}&wzipQ}JS_ z{?xd#Vj4*@SD9nl+FIaPu~8iPu~_<{#wXe*?r*>D_qMQH>$?ogWTlU>zDvu6H;IRb zd)Q?#-+XhWUX$XUOMDL7hVJziDBTxWBUY{b#=GzQZi^xPZkC(ZHxxJt zbvfj&cTqat9&B4Ms1k1F7DS4}G=)br0<5 zB+SR1$Ot^R+w6y2$!=^&%=R;i?JXHHCYv`_-MFecva!WjJ5;Upo@dax{5_=ox8J7v zw#0>=y~Ggv{L_TGyD-1ja|n{5xVlzNvVzs^GL=X7ZGNP9BrA!DGkUB!c|i6^9;S21er`pmMb zQGLXf^q}#T)xn@OPva#Hn%G|?5jIzHZXXl(^soFf`i-!OLacMR95HnKV(KSZ+x2xC z+Ce{VoH3FQKB93+Xl4J5{rDZQO&D8v3~pZ1a$8Sz1t!R4PH-Emyzl@OY~D{5PIo}{E~Nq_L`*!jGt{Oea~ zF_m}s9uMbc67masFnP^IAX0+;K;+GCodJ`=$x*WQ^`dp$!^dCgnWud3mL6(wCf>Z3 zFE1Y2c2s05MNq!FvF^$fzIoR?(p2s)M$0Ov)81$Ar6}oiQi?iynk%FkbU#gAI;S~# zJ|prm#q3+fs+Ft9Hj5fLX6b(U&RF(k&COgF39_{F&gX9ni&>7{{Knt7!zb`ndh6hZ1KC1Dsi`*{F!Z#`Sjd;{6o{`dN+$4tug%-dwVOZXN$ZReAz0v zl81&?6)`CMP-@M+mOp$T+&repODG)g$r2Fvgip+V;@-EEj#VxiZO`8O{uC#{ub}Kk; zib)f$xyL|Z7nPY=h|<`3{_cgWbrQ^s?Rh_cF5KZs{P50kpYpmW<_2EHS-{I5Z5S5_ELS*%JDQ&=+_f@Kl!-6fDVo>bwd@E{j-986WdQ;a9ibY zY-FRvu49S=CV7#91+C*mjJ5i@9u@5r1;g8xFVESNRkpWRN89R(yz|_ z>oD$J?qU7+EIA5I#Ou#^c#a2LF_4!yy6**kdvK%1k;5!8{v9h4yEy}Ef@0?xeT;@m z`Y#+?h~mp|%idD0bJ^MAeS(b2g1d1`6lcB6N+rgbNI$_4KigmaiA*V#8;*TA<#tWf z{u*ven!oO&PY)M_1$Be-HFl~8H&89^9=p9DenTXui)T6a@Jx2O1?Jkq=iPT3G7F;e zkEi4mE1A_Qd%1|5Vo$uo*YfDaN}bKcYz9qINeBE=Q?TE6*_&ym>9096(;vGx5ce?A zNo}@C!=p!b%W_}KRqFB&DEc$=1{^WJLarHAj$cxmY!oj)lV`Be=dNYxM$c2L<6j$X zSQ}>WaQF3Xs{$?x+^XPp!Oo237F}%$8yEEwNgnBKeCU(IW1?xw=Xv5nT-wEk70X9M zpZ;P}Fy`bQ`=wQS@|dvAsQ=HFz$xBC**=1U{3;*)#ov~mYcnd`#Lz4s#U2uUt8Dc4 zbMi#uc_!ug+dR3&y&tlKgBt8HHZ3hxZ?3ezz0@C*WmBbQhEYxH4C@zjIx1aJ-|wXF ztrDZvT)50R#Qn$cFQZ+y@zLLo`1M>3wb%1Z-*Qt1YvSvZ7!`t#SKHq}3Uu;5`|V|y z-<{k5#TS_;DTDQ$Z`ZXxH8tz7VhoACqP=2f^;5sJe#N8b{YVB^Qpdj>b$Rfn;idMS z%oV#v9_-3pI~8{8;B2Ij8Hn?VeeQ`>{Cu#b#Mp;(+c_gjX(vVL@rkjsVt4uYnyx!H zS~2eqKXJhJy3_T(-qTGCbEjL4*T&|+I}awF1IF`vP8q9jRQ&nkZRX(Why%Z_-gM&E z#y&pz=nDHa*IUD7bpi}&$*Lt+Ha=*t3l|i#nYP&7fN!(J)=q28cEy}fNfK%`RB?)5ZW|nxuoBy7cz-%w;kij6mnK_mVzt6s&`28`c>a50 z0w32sW#_;{Ck@_746gQgaHj9z$JWrnwLK&J>-Q$?+UznCAHDL#gmHb_q_So8VG>hD zWpR$agQqWfjBUp0^AnwxPj6!->NpQ+4ZWxu_?|pzwm#x$cST;8%yFyHlnsxhxA@<> z)0!Kv;}cP3^H}wp*Ur@5)BuCo)UL@j#JtD4SxbcLOBP`I?t@^q!u@gG-TWCvZA$K#S0j0-D&#X=x5K)1>gew zzI7jyNwdgqv}rpzCsu3u#_gF|Wx7(%YySYJ6+aGLZQ7~k{fQ+)pVvH{^1);Be0BGJ z!(;nghmQC>4HLfTC@vdq^Zm^_&Ewq;{w4aaZoCvM$9%nf|MJt;pwx7Uwr1A!A^*wK zH|HJ%WY<5vP4ee_Dq`+vETB}B-uCOPDTR8_-@(U{U%qZUvo`sbBGE%Z?tRm&S(R6A z^i*x~1rmqG?5k?Ud-*&a#h<4%WOnfw%v>CQ{54F5$ibJWEvO^I(Uu~ zv1O|F;dYC*f&4Xm35**iHk_*GJsvs}#G3ERdM(I5E>%aV@WV#qcFu##+cdNL%Nf#| z519pcgm&d$3o>d;7~b8W?7BJqxfH2c^nh2uLQHF)xaJL#b>{2O&D%J(g%SE*M5t5-yf$&&yfci4sc=X8t|GlWvG^0= zq~+s15#0wFlKR9t3ltmp(p%fJr-M5O{TaJ5_6$}EMc^4p+VWr`2xNNt~!8wJk~ zOma}VGqvTaLNsMH<}5RXoOrdPqGh+A;2BNUzB(Vgj-VTP=t}w17yRNHeUIlPmCwKZ zJfR}-FyyUV+<_mbrXoKa8kc&0&-+{W_P*FFEk?`bradaoee7H(7s`+;VUR&9+ zFa6T`wc8)s*~+;axCOZHy&OKnwe`s|HPscZBf3_4qE$D4B~X4|z4&}EAj9Icm}CB{ zE%&ucHGk}QXTtNz^ro+-6q^ghmhvQXe6S4@KN<}ww?2=B+x-q*?(eL?VLWXn@ z&*2}Bc70IdIzMr4M&#owcb$YQ-+D}0jE?2qDF4*o_RMVi!#mGQ*~gXRo3mFZl8HYf z>QjTUar&W{6BJ2j)ehJiCFn(>_tL40F_2=5x zm!{u+{nb2Cd*fB;;nEXZ9geSf2X_l&ng2p=cER1d<%VKh7ZcC2d@#G;!MR-Yy`AIO zYQ-<*h{ihsb0zT(?nSpx6=hCG$yKEeR9chv4h5*!}}X?U6Wc37pnEX_VizW?O- zP?+{9N1~}ku$xwaRhQsS4jJR5Cw1Sq=CmfgRAL!O=03W4QY_8F~ld($#sHnw6uRy{)^#Cp6~_j1j4@tjO0-`JLQBlD6LB1-PTWs)Js zng!3A?pHp1dLxOFy?VnM{{_pmAFEq$_12IZ_sc!pV75@%aCZ{dcj->(tj(#snzh->XR-|MF*_Z-%( z5O+UeY_PgKCj7i^Jm^R6m?qnA9l0q{GO_wyMVNvC53 zU&$CUtE9WSM3xPfU8{PNx&NL6o8HqsO}AGIXORmoKg-I}i z9DWSb9;s*;{Y%F0`}JSz*w*@ELfsl2Hu(HpQQUNIp>1obiqzi9ptD`2tJCJQ?+0tu zvwwf5Fm>z0x-zkA4P8?*ryILj)a8v+l|PKtRe&8pK_$JI*wY>%t)@BCYhqe1Tkc8s zJk_%6?%P*(N#*=+w^!c`Y7oFBiS+E(sIfIqY$-T0G;_U1H80wx<4f&5Wwk`NcfT^0 zGdPr+J-*D}Zqslr_-QYjSrc)%tfY$C@US9y7;}JY^Y)#hHezG8innuzMX{1h?}M06 zJWz;TX?>H?tt9nlOHy{!C0C7mcH56cunthBYicgKmxafDB(UC=;}l{lxpz--*H^Eq z=$c(FCQ@JOiX^hN`6oL@i@)+SDU=j$Ua@X}AJvgb;@z#c5w(^*b*oJEFT{$H4@IyR zY(9KuSMtG4L-{_VyKdgv_p)v><#2$EhRCu6ae-I8){)bWJLCtZ9eCL8Pft=VEEow` zHC>Gqc-+%At{@YZue?@7>5Qh^JFl4F+`#FAF18B$W}%m?M@GtHNA_1V2Mrh3T;tq1 zoRBfRB}06~FI&vw&d#m`QDs)EkjSEeYi$KvQ}AEfPG{EA zH7P}@k62R*3tQ}ugfX^Rc@kdNd+ygbeE8gsFR~G&>Wk-jW;ks+CMVx@jw>yDRC3aN zEZM>Ae0-;lroo;Sp6Q35NjwTFTfJ@1+snCctS{;uC#?ULeN1lmwQi-3Jin9A>fR|Q zN~+99;r+1-WEi%&PpD`(MV&vkJ-*;dg7^u`?6_?0 zbRRCv$G$@k&lKsO;;h(j%wn|cftkV0??pE zF9FA#3#Ydf@>5tCO)ih-8Hha5AM1V6y;3_md}Gzecu&ux2e?NBLk`IHc&T>kooT!1 zZkH$~mOFg!S;upx!M$q!St z>k&Ae9G`$yY188wH4y_Jsy8i7##nDDDo|!sxM&cenn4>r`*+7)HnLL z#oJ$eB!1yy9OjDC!`O3tY}<&Xo<-6>%Kb47pSM`{afa22>5rf6@z6^Zx=b)>{KPx^ z{ly4B$3-j3VCDI5m6?JSQz04VaV4jZ}BX4ycRmaACD9#D>v8|Tf)17~7>yJ}H(HxB5cVjoDu(7>7 z%CNCltT-(z&Wf%;sm#kRmyhgWmn z_EY5wQY>dm}D8a|Vp8mZ#(k9=2lay5Xt>f6{4xU6q=b z=;@LVuUHZJV^rUap<@fF7}W_{pdO>TKnwiBs78*%Eu2a+M)fK!q*sekEu@9SrZB2i zD1=7>L8?z_L26|+MzxO?lyDfwsE*NsKXGv&Hh_Wzl~VO`jB5A<3bSXl4}oX|ExhJq zU<^hz4~2>TQ`8T4F{%|bkSd>J`W~a&L<5BT4FZuE)mJp|Shn(d5k_?c0g?)AzL;KP zRDaRXP$)t4$pwt+g-LYJBLDFx?*fc!B0^+;U%t}ST`w`JIW!oZ@4U`CC>W!9j|Phm zGAi@h=77u-f-j`f#+q9MYF;ch6$X^>xx~I@Zj!Ij?dareD2u~ZnpkrQ$(&I(W?oc`9GP?*dIw^NurLqei zrz~RXB=P+o176;mNBcl8oa#3Sgh!ObQAN$*{{GIu4ysRrGAbE^jVBlj-< zgfJzq)wp_7>$9@w6BiL4Y)m^`03U+H>+(tgs$5ml{=EE&dflzk_(8zWh)+F0tlee0TT~SVkgk{fG0?H@9{8zwAud5uNU)I(hulG0Pk0^>zmNN%dsz z+~=s9sj`hZORU?*v?Mw@(VG0ORd09eGpAP7AMcB&7OrWGo#l)=doF!ts4wg1>HAOO zY(=`hth~WuFSUHX%#WK}DsZ2|T}GOsHBMa1oSsUe*w?OdWg46>?$F=)OyLV|hsYJa z)#7`vMO(*8t66kmJ9GV0CMHFmd^>Zmv~8=7T3APapj5%9>D#Zftb;@Q+q}**uZJ%Q zNozlaT$?gzw(Q7kUCKwWsy?%dyM( zcbnc%hIw8dt$(H-sXJW7ccWTxY<$0x_{^hr`RkTreY?jkvvafdObgD4neH%&wV&|V zp3^uKr7*B%yrk3fo`w`>r2gEyI~vCIIaYgKeB>>OKb~Fr%1nE!&`34gK=f1jdCg&i z(8|7$^z=e5p}VTpRSA}Pc@ErpPj#*sS-pEMGj?WMe0<&Lg;ZCw(lZg)w;gC56k0Kx zT~Hss+4}XZrrnb2rWvagIlF(|44UWZtG@b`tCV#@EAPpy4EKGR3!Buv9oN}ybdLXd za!a@Dy?nxfc(Pw@jn>SMp5Q3ok6onUlMN;w>wD*VhKdvOCxdPrA5*H3NVTiv5EXgQ zm7mSrV#_kJj`B#VGjGi;mX~eO*xKlHWyWu>tn>IIDNh1^_51YH*{t^2uWXoB)L53j z`OvbMGOX*t)vb99CUYO22DzBrU5(o_=55YYci7~Xe=+fhywTac2RgSzdVTinO)w2vmj5W(8FKdr)K34C~jA}$RQcZ^{?C;wqHm%TY#6`)4v&*1jB5zIvTI=`nBKorx9fBVTogTOSXO`YVoWKa1nkb~AeZIjuri z!n`rZSfk={Z)D*P=L>6AyZzk8?a4Dzb!i=c7lX_SFhf7NcQdZ zRpa$M`u+Tfa|L@bL$Q!=G&m zIdX6KlMcNc9gcA2w;IRx#KksKce$_*-8Kq}p5LGv(%0+99YJJ}e?6YHVf(p#xjgOH z4ozzAu8JRd{_yF$!FK)zvTOdbtBzOKi6%ZMU^{=Sk5K2(`VPNi!QsAKqJE|zPf)35 zz^g#s1U=YI#juNxb27J!Nt;+j^7g z_ksp_Sbt`QrpMCc7x%vv9JO4-i%Z?xH23{S{gbus-R@_4bg+*&u3i0grLTAHqm6{n zzBKH{PR+V9EYE?tw`Xr#XE3PMguVQ+T8%&F)L{`}Q?jPrp@Sc<7}?z#j_~$ezbW)` z?OK_%hlK%xRz;orF@X-Ji%)tpe7TY?T4fw=^I)B2i=NJ>9hdtx72?ZFRi+nauo={2 zd{qfAYZY?_^-30e)mpNZjYq3niZ5^p58ikaKJ4GHv;5K~Y>|TFdY3xBNzu0z-PvV< zs>T{SF-&DbqmJEc*k61YjPc+(^nfMvBGzeK?QQKx5*p{=S=5f-Ii$O<%Zs+VMzbJZvXR;nFi1ERr3myryZ<6s}FS z_@`{)zO}*GuN15f4?2jf6!8zeEZuWJORHw?)@zbO&YD!ms#5mcq*q^*jN|Jc>u;=o zl0O(5d+wr3_*BK#(rmR~Kly~qw}^T*b$QF^Yrs$aHRW-)Q!oEITD&GM!2HWekHfKjZ$gx|c$j;Z5Bwaz!g2g( zEZ?W_ozL%a4jY%{Vhx{e@*U?aYZfWai`jaI@u5M#MSd>d2S2Ga-Vz2g9eIa@lLuo{ z-k6@yN`B8&mO6L-%;B-qHJ@gN3sfV??t#@@QAXT?cRu)9EpIETk6Kmu^0xD#_ok_d zRo66MS9~q(jx=p_8CN9ucZ!Z)IAFxG>)y%NtA@3S)Mn|d0{cStD_Q)8H`7x{5(_`r zy9qt9{`=CT1cF2eJ_}cJgViX;lWiI^(GpTS4&GOd%hA{N$S3n|-T1|mS7zRrcsHA|p8Z5^Mx-I{I-t4sHj&c|GrXq@kD#d}7b zJnelG_i?b+?^wHo`~dyeK6nBT(QpGe8F`en}*LfOi@+*h!s(Bbj3xw0M0axYMh zTuZp&cBSt74kht}R}U0iNVHVW45n_ovOCE8`?~}A3Vz#KqjDsg9`t4L77N%P47|ov z`}M__xyg=wf@#+^oUGM99`b%vdNqF4ouc$XZL4eC=C1K~tu-shgiwv&#^JWy@xHa&@@iL~C=eVH@Aw>KVBew0)ah~S#Y@q5 z$1fOqcv@H!pPbjy4YVG7%d4?n3hUn{ z-&u{@aU}hm`vyL9P27XgK(kwFyly%-qOrz5yKs}@8Qw=-b{n9lm_(sZl+{Qiy8pMDsA zRoCHsRQ5f9_*#GE$*+fb6SQ5!eAoNB)plkNAG-Bfp!(<@*+UPO?e$>hvT_w1zdq*v z#>ZvywFSq=ummNjvM_MFqYtsqJx2iRBL;2MclxZ6fqF zmqh%kPvuU0)n3FHb6tc{~EzA5)r3!Ay-ogGtFO`9lW7q2yIs-A( zP^poCbp*{k#xd^1YGvi#P@YTCzIH0i2 zf4P~O!zrn*hjM&s17e5CX~NT-K}Wvtxjmb_U#L({t3kZvvdx$E{jaxaWTkhXN}4IU zaT+_JlE9mBVTeSLRZYxK6p?6Z7bu_?mm=Uot;mH)^^t+I9Eat0E5@ zyPNEV)_nInzh=fHN={_=r#Us|EB84!-(vrM|Ld9;MvM$|e37vi7J6g9PTcxNp4hW{ zwy!(6M3_-&Ixh036%YH(Ds486^sGI5PE>r}RL$Sc@07x25b@mfjsD2kW2cp&=JkQn z2Gj4796T--Ck+&T+cvk(%f95*xgd_xv>G9i_2HGuJjC>iqC*`6+Uqk$lyBy-$pmC7 z@)i-JSXHvV1nV?OPK!o29uazSo0EOt#4vTc$9L%sRksJc-|!w-oSGk$9Avm1GC@r6Z_ciqME1Jj1SJ_i(Wix#7q1GW6 zL#%yIWv)FF@%m@V%%?NCr6cnR0?`$H@`m2$e`T)du+G@-C*rZj;Ppm_OGhQvpEnf` zj*1J}+F^*-EOYw>iM7g2?pIbSpGtGZYS2M7xkPK=ygfspJpV+Mh2C}_DRUc z3=gKWC#?<;TweU;RHNJJZ?GGn!SPGl36`X7B{jx0!tNmp(e4EV{MaxQTBVQ0j z)%h~l%k%wsVs*#4%9Jea=UP?EbhBP+1j+2aE_Hri%8umGt1F+gc7B}h+oAY%|GB)k zm+*Jh8U~{)8u=J+eYD{1DO0z&q$uoZuav@^oHmoh{;_?lH=_;bW9E0k*d3?M?V}%y zg&p&kni20AR*mod8Cd*%Ovc~r`_H0%R&5pfn={|K+igjmcK0^9ea6yY!+UbX&|6Wf zle?H+nVMAEV|%r3S@cLNUEyzu`QhpC7^{D@cZS`&StU*NM7gA;z}q|bLQ@!<{OSqA zIg(R~7Tr{de2u47*M9A=Jh1+AV>z4Tx~@2tf}K8mr*a;2R=4LI@(VKF)!dvHIi}?r zKCZS!#h(E15UDet={4pWf z`*N9J$7X-&zI?pOz{>lzhE*Rd8F%)3b0-k=j7P>j@*VqUn~jz=F~7m>_uU^?|4E&B zh5shDxz_lA56iO3%Rd~5T4hFjF&A)3jQU1z*p9m9t87`_&NFRKc|F3~VpQS7h|v1p zJwiLr3htBLS+ak4x?n(=tA8*d&2sSP%lDb0Ufq3c%Z#EHG)&ee+eGdG?Uh@3H~ov;v> z6aVY^vZd$g@$W6+|02_W6ctp_K(+qP*B2TJ$;Z*tNrW(x(n3T(%lB}mc^+Z<*}C4D zb{eLib^AWkOT+ZDXB@KwG`wx;ESU7{C=JukW@*k&(J=k2l=uVJ zEK&R{GY!+v_7u%>)9|LHvo=k$f;3D&`|@E{jE3oFQ807TG(5F*Hbh`<0}T%@oz>Vl zw~dA)m(EV;&1uju{VapS+#VXHpDj2)cYucDm%jC<&K;%Uz@=~R<#Sdv{C(+Lc*mS0 z4b#6(Pt1AHF#TIGgw>(E;0rD4{kZx5CW12p_;>07{=g;5%AUV1m5xG+V-(o65k?<~wNU{o`cYvDDs zN^;8rC?zRIV3ZXN+@S>|1Bz(zl`)`lU3$x@Pm`s_ zVCZihoiH0{_vvo|LonNDnEqDoI!1$r>2JxZXgWtQ82VeQmzV>z`}DU+Uob~$nEqCW z1-m$ZjV!%o5yv{x?rSf-^-#ll(D3=Cw-86Mr)Ze|R=^7zNW=7B=@+r^;uVPgt2rMV zOT%}Te#Jh)CetweSLIu5It|l*<;`OAY53^UuP$C(F%8py1NmUw4R?FJDR;gf|A~#Thla0$Y_Tkq>ohnd0Y%3X zFoPl~Iy!#;2X0=%|DM^cWI^GA2T~|RkJ}45{nx9&(zDyB67tk-+o%filJq!zOL6G< z^&c3iwL-GB^!o~c(IQC4j(^}BxcA?d!Oq#!ou&cl@A$d@gXdix7aynRmACXP9T)x& z;?mkiifScGOXRnTLmYa1_yj>KD;+aJ-G8qu3*g`Dsnw}4mi1=^Y2>SG|bU+^pq=Rbkdoq8egGMGwXCFxOtp%THsqg3* zasKc3QGI^LZh*ypi|+*(r9+P&2pCD<)A2FDXtk$f#MvUhVUP*_NBXRP;1lrd@A)IS z@!v6$*Zv)!`~%kjM*Tt0e+I(8mj?u!{!w1vKjI@9aFjkgM$-sj1wPVjh<1o*cZha| zv|S^yckt7qz`@-TkyG7NTmoGe4) z8~og69=5du9-^b)T3=9l36FYiJ*`~sw>}fUT6kC&#tHV6Y{HS?7u9apx?cvb<>9Q; zd+p%rtli4?GOok<`0drVj@1>2Dewp#exbIF^}vGV19yXFzKNgKUnD9Gemv>*?;UfV zYMJOY{h?39tirKlRzlg(oPyc}M3??wCD2-(2aE1{Bzyhe6VgHcJ0X4KuwJL;L)0?f zBcSoy*uvTdw3C1m32SF7sssv1E@??Y`nfAq7?>g1BswDfR5w- z!0~@z4`5n}-=0SpjZ0KlM4&mzO$PMfoPfGmfvOiL_yJ<)4(e!*fhHW9{w6CI(Ak38 z!P3PIsX+qWF@I^Up_+pp98gLGs#icqj!_poZO8HyS`^I%NAZhe1~kRkApKzQ(+24| zLQT6=^~F1&@P_J+bmyZsfZqr<9=6mHihxQ~P( z+&FcTFpc{~n87lOD{j}_8+G;SwUc3&;;-K>4=N&&85ESZ8-9KEoWQ+IVUyuOzudx` zRU7*`gF_>)5?EL{I3?vbY~7)$rLDWy%KAchL{!Pc+DCOwokvSb1q8_yMka1Pg)LjN zb6$2cY>JM_CNnB-KV}zok;BFG{`kaUi>cWK{R3B$WY>yI7^I}8-AK>ME-0^jL}Fs* z5!$M}V_#-g^V3xFa(`km30{JiaehN1@{3ASUV1;o7>)`|@A2~QZxwOHI0)g+mh zqp_Y9$lHre0#hS6P;Gqxnc%Ette})+vE|6IiIR$qqX)X;26FcKhE8L`Yqknw2k4R7 z{qF{UH91no7T{JUU#Jn5(TkL0K{B~nUWdzAOGxcG`@Z55Gs}g8pC~IN%E6d0r|fzT zZ=;QfXU${nE|~$TLbU+ObwjPc-E+47u#0SLacK zZe+uHC6sFk(v)(kfXuisrQ9H2E^ojB){k1M8Y;*Ks~{(J6P@kXE2csm5q~U@H%cAG zLP$H-n;5cx^eVO>BO1nGM#PjP;!^m%%eX?UU#GycNiH{UxkF?r#` z>vOjkbT~Nx0>Sc%`bVEk?19R+-a9e*;neipZQZxSqg)*yZ4o&!e&DwkrlyUS<-zjm z`sU58ZQ+Q#d;BnjOk9|qyFG8TRM$sjlKA7vQ>QOqng48b$Ie#{ojN^nZu;6k>t6cv z#mTAZ`o{ImEp6fF_Kdyx_B*HFpFDTPV$Imx`o)*`7D(Suug{ut`v>ff@GqWz0ch7_~`P#=0CeL6djAjf1U3sdiCf#r_W7ancc4o?R&{PmOC~5 z_m8F)8rMIundKz&(xQKV+CLDeShKcz@A$^<`1uQ${&w{rpWIu}Im3%bX7NZBmyH>V z^16u}p>sLKj`X53!pd!PqW9+A?IYtKSq6Ay41HP^NUck9u7PE@YaXPd3xj+vN0pypcdB3XYy*d+X_R(#5{|`~~fGs4DW2&$(4dLaTug;yze=QV3PI-^Qh`Ek~5%6f7A|y zJwVNv)mTTRpz0i3QIS^xP)T?KiGKHZ(%vg~!2~+g)BTfJyHkUw2~L=vyJA77pzRMj zb=}a0>Ys)|GeGx%s-E)ufojD4P^e4A9J?R;m-{iP*lf5@D%ryhUgZa%skt|$zEZ!x zB;faZ11kdFvXv`+CBBkWop{5Xd`lDgtLEpxIwu#kK6Q*2U?er)aWuE22!jurk|t=! z2{EZ_k>OfY-<8_l0^5(mc7ODP5~_Kc=mze*}ecplNg za_OPYq$aNHOR9YFqN>jD%lfsT@Gd!^>cJOneW0P+zwsUf-J5gvFW@SjS_4T3{%tE=55{KR(r{x=SX!aev_WZy zqK9_W!U9wHEc_avjSTW&Y9sMZc_^yqdclCk0l!J%4Jx@+geny(C`a5K+YznOTss{; zPnpl-b1su3B|bS23CPZ3Z}CdE&*%0AmNUa}TjEj1>nZko{NnJIXrH?SMih_)S=i_C zc~|PTNnmihK{ Date: Tue, 2 Dec 2025 09:58:43 -0700 Subject: [PATCH 02/21] add datastream ws client --- package-lock.json | 5937 +++++++++++++++++++++++++++++++++ package.json | 4 +- src/datastream/client.test.ts | 176 + src/datastream/client.ts | 629 ++++ src/datastream/index.ts | 8 + src/datastream/types.ts | 56 + src/index.ts | 14 + yarn.lock | 751 ++--- 8 files changed, 7201 insertions(+), 374 deletions(-) create mode 100644 package-lock.json create mode 100644 src/datastream/client.test.ts create mode 100644 src/datastream/client.ts create mode 100644 src/datastream/index.ts create mode 100644 src/datastream/types.ts diff --git a/package-lock.json b/package-lock.json new file mode 100644 index 00000000..75713736 --- /dev/null +++ b/package-lock.json @@ -0,0 +1,5937 @@ +{ + "name": "@schematichq/schematic-typescript-node", + "version": "1.2.4", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "@schematichq/schematic-typescript-node", + "version": "1.2.4", + "dependencies": { + "@types/ws": "^8.18.1", + "form-data": "^4.0.4", + "formdata-node": "^6.0.3", + "node-fetch": "^2.7.0", + "qs": "^6.13.1", + "readable-stream": "^4.5.2", + "url-join": "4.0.1", + "ws": "^8.18.3" + }, + "devDependencies": { + "@types/jest": "^29.5.14", + "@types/node": "^18.19.70", + "@types/node-fetch": "^2.6.12", + "@types/qs": "^6.9.17", + "@types/readable-stream": "^4.0.18", + "@types/url-join": "4.0.1", + "esbuild": "^0.25.9", + "jest": "^29.7.0", + "jest-environment-jsdom": "^29.7.0", + "prettier": "^3.4.2", + "ts-jest": "^29.1.1", + "ts-loader": "^9.5.1", + "typescript": "~5.7.2", + "webpack": "^5.97.1" + } + }, + "node_modules/@ampproject/remapping": { + "version": "2.3.0", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/code-frame": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.27.1.tgz", + "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-validator-identifier": "^7.27.1", + "js-tokens": "^4.0.0", + "picocolors": "^1.1.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.28.0", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/core": { + "version": "7.28.0", + "dev": true, + "license": "MIT", + "dependencies": { + "@ampproject/remapping": "^2.2.0", + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.28.0", + "@babel/helper-compilation-targets": "^7.27.2", + "@babel/helper-module-transforms": "^7.27.3", + "@babel/helpers": "^7.27.6", + "@babel/parser": "^7.28.0", + "@babel/template": "^7.27.2", + "@babel/traverse": "^7.28.0", + "@babel/types": "^7.28.0", + "convert-source-map": "^2.0.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.2.3", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/babel" + } + }, + "node_modules/@babel/core/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/generator": { + "version": "7.28.0", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.28.0", + "@babel/types": "^7.28.0", + "@jridgewell/gen-mapping": "^0.3.12", + "@jridgewell/trace-mapping": "^0.3.28", + "jsesc": "^3.0.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.27.2", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", + "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.27.2", + "@babel/helper-validator-option": "^7.27.1", + "browserslist": "^4.24.0", + "lru-cache": "^5.1.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/helper-globals": { + "version": "7.28.0", + "resolved": "https://registry.npmjs.org/@babel/helper-globals/-/helper-globals-7.28.0.tgz", + "integrity": "sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-imports": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", + "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-transforms": { + "version": "7.27.3", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1", + "@babel/traverse": "^7.27.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-plugin-utils": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", + "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", + "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", + "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", + "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helpers": { + "version": "7.28.2", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.2", + "@babel/types": "^7.28.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/parser": { + "version": "7.28.0", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.28.0" + }, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-bigint": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", + "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.12.13" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-static-block": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", + "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-attributes": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", + "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-jsx": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", + "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-private-property-in-object": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", + "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-top-level-await": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", + "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-typescript": { + "version": "7.27.1", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", + "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/template": { + "version": "7.27.2", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.27.2.tgz", + "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/parser": "^7.27.2", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/traverse": { + "version": "7.28.0", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.28.0", + "@babel/helper-globals": "^7.28.0", + "@babel/parser": "^7.28.0", + "@babel/template": "^7.27.2", + "@babel/types": "^7.28.0", + "debug": "^4.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.28.2", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-string-parser": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@bcoe/v8-coverage": { + "version": "0.2.3", + "resolved": "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", + "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@esbuild/darwin-arm64": { + "version": "0.25.9", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@istanbuljs/load-nyc-config": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", + "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "camelcase": "^5.3.1", + "find-up": "^4.1.0", + "get-package-type": "^0.1.0", + "js-yaml": "^3.13.1", + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/@istanbuljs/load-nyc-config/node_modules/camelcase": { + "version": "5.3.1", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/@istanbuljs/schema": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", + "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/console": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/console/-/console-29.7.0.tgz", + "integrity": "sha512-5Ni4CU7XHQi32IJ398EEP4RrB8eV09sXP2ROqD4bksHrnTree52PsxvX8tpL8LvTZ3pFzXyPbNQReSN41CAhOg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "jest-message-util": "^29.7.0", + "jest-util": "^29.7.0", + "slash": "^3.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/console/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/console/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/core": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/core/-/core-29.7.0.tgz", + "integrity": "sha512-n7aeXWKMnGtDA48y8TLWJPJmLmmZ642Ceo78cYWEpiD7FzDgmNDV/GCVRorPABdXLJZ/9wzzgZAlHjXjxDHGsg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^29.7.0", + "@jest/reporters": "^29.7.0", + "@jest/test-result": "^29.7.0", + "@jest/transform": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.9", + "jest-changed-files": "^29.7.0", + "jest-config": "^29.7.0", + "jest-haste-map": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-regex-util": "^29.6.3", + "jest-resolve": "^29.7.0", + "jest-resolve-dependencies": "^29.7.0", + "jest-runner": "^29.7.0", + "jest-runtime": "^29.7.0", + "jest-snapshot": "^29.7.0", + "jest-util": "^29.7.0", + "jest-validate": "^29.7.0", + "jest-watcher": "^29.7.0", + "micromatch": "^4.0.4", + "pretty-format": "^29.7.0", + "slash": "^3.0.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/@jest/core/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/core/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/environment": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-29.7.0.tgz", + "integrity": "sha512-aQIfHDq33ExsN4jP1NWGXhxgQ/wixs60gDiKO+XVMd8Mn0NWPWgc34ZQDTb2jKaUWQ7MuwoitXAsN2XVXNMpAw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/fake-timers": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "jest-mock": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/environment/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/environment/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/expect": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-29.7.0.tgz", + "integrity": "sha512-8uMeAMycttpva3P1lBHB8VciS9V0XAr3GymPpipdyQXbBcuhkLQOSe8E/p92RyAdToS6ZD1tFkX+CkhoECE0dQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "expect": "^29.7.0", + "jest-snapshot": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/expect-utils": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-29.7.0.tgz", + "integrity": "sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-get-type": "^29.6.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/fake-timers": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.7.0.tgz", + "integrity": "sha512-q4DH1Ha4TTFPdxLsqDXK1d3+ioSL7yL5oCMJZgDYm6i+6CygW5E5xVr/D1HdsGxjt1ZWSfUAs9OxSB/BNelWrQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@sinonjs/fake-timers": "^10.0.2", + "@types/node": "*", + "jest-message-util": "^29.7.0", + "jest-mock": "^29.7.0", + "jest-util": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/fake-timers/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/fake-timers/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/globals": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-29.7.0.tgz", + "integrity": "sha512-mpiz3dutLbkW2MNFubUGUEVLkTGiqW6yLVTA+JbP6fI6J5iL9Y0Nlg8k95pcF8ctKwCS7WVxteBs29hhfAotzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^29.7.0", + "@jest/expect": "^29.7.0", + "@jest/types": "^29.6.3", + "jest-mock": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/reporters": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-29.7.0.tgz", + "integrity": "sha512-DApq0KJbJOEzAFYjHADNNxAE3KbhxQB1y5Kplb5Waqw6zVbuWatSnMjE5gs8FUgEPmNsnZA3NCWl9NG0ia04Pg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@bcoe/v8-coverage": "^0.2.3", + "@jest/console": "^29.7.0", + "@jest/test-result": "^29.7.0", + "@jest/transform": "^29.7.0", + "@jest/types": "^29.6.3", + "@jridgewell/trace-mapping": "^0.3.18", + "@types/node": "*", + "chalk": "^4.0.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.3", + "graceful-fs": "^4.2.9", + "istanbul-lib-coverage": "^3.0.0", + "istanbul-lib-instrument": "^6.0.0", + "istanbul-lib-report": "^3.0.0", + "istanbul-lib-source-maps": "^4.0.0", + "istanbul-reports": "^3.1.3", + "jest-message-util": "^29.7.0", + "jest-util": "^29.7.0", + "jest-worker": "^29.7.0", + "slash": "^3.0.0", + "string-length": "^4.0.1", + "strip-ansi": "^6.0.0", + "v8-to-istanbul": "^9.0.1" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/@jest/reporters/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/reporters/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/schemas": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-29.6.3.tgz", + "integrity": "sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sinclair/typebox": "^0.27.8" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/source-map": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/@jest/source-map/-/source-map-29.6.3.tgz", + "integrity": "sha512-MHjT95QuipcPrpLM+8JMSzFx6eHp5Bm+4XeFDJlwsvVBjmKNiIAvasGK2fxz2WbGRlnvqehFbh07MMa7n3YJnw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.18", + "callsites": "^3.0.0", + "graceful-fs": "^4.2.9" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/test-result": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-29.7.0.tgz", + "integrity": "sha512-Fdx+tv6x1zlkJPcWXmMDAG2HBnaR9XPSd5aDWQVsfrZmLVT3lU1cwyxLgRmXR9yrq4NBoEm9BMsfgFzTQAbJYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/istanbul-lib-coverage": "^2.0.0", + "collect-v8-coverage": "^1.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/test-sequencer": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz", + "integrity": "sha512-GQwJ5WZVrKnOJuiYiAF52UNUJXgTZx1NHjFSEB0qEMmSZKAkdMoIzw/Cj6x6NF4AvV23AUqDpFzQkN/eYCYTxw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "^29.7.0", + "graceful-fs": "^4.2.9", + "jest-haste-map": "^29.7.0", + "slash": "^3.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/transform": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-29.7.0.tgz", + "integrity": "sha512-ok/BTPFzFKVMwO5eOHRrvnBVHdRy9IrsrW1GpMaQ9MCnilNLXQKmAX8s1YXDFaai9xJpac2ySzV0YeRRECr2Vw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.11.6", + "@jest/types": "^29.6.3", + "@jridgewell/trace-mapping": "^0.3.18", + "babel-plugin-istanbul": "^6.1.1", + "chalk": "^4.0.0", + "convert-source-map": "^2.0.0", + "fast-json-stable-stringify": "^2.1.0", + "graceful-fs": "^4.2.9", + "jest-haste-map": "^29.7.0", + "jest-regex-util": "^29.6.3", + "jest-util": "^29.7.0", + "micromatch": "^4.0.4", + "pirates": "^4.0.4", + "slash": "^3.0.0", + "write-file-atomic": "^4.0.2" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/types": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/@jest/types/-/types-29.6.3.tgz", + "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^17.0.8", + "chalk": "^4.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/types/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@jest/types/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.12", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/sourcemap-codec": "^1.5.0", + "@jridgewell/trace-mapping": "^0.3.24" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/source-map": { + "version": "0.3.10", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.4", + "dev": true, + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.29", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@sinclair/typebox": { + "version": "0.27.8", + "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.27.8.tgz", + "integrity": "sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@sinonjs/commons": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-3.0.1.tgz", + "integrity": "sha512-K3mCHKQ9sVh8o1C9cxkwxaOmXoAMlDxC1mYyHrjqOWEcBjYr76t96zL2zlj5dUGZ3HSw240X1qgH3Mjf1yJWpQ==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "type-detect": "4.0.8" + } + }, + "node_modules/@sinonjs/fake-timers": { + "version": "10.3.0", + "resolved": "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz", + "integrity": "sha512-V4BG07kuYSUkTCSBHG8G8TNhM+F19jXFWnQtzj+we8DrkpSBCee9Z3Ms8yiGer/dlmhe35/Xdgyo3/0rQKg7YA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sinonjs/commons": "^3.0.0" + } + }, + "node_modules/@tootallnate/once": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz", + "integrity": "sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10" + } + }, + "node_modules/@types/babel__core": { + "version": "7.20.5", + "resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz", + "integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.20.7", + "@babel/types": "^7.20.7", + "@types/babel__generator": "*", + "@types/babel__template": "*", + "@types/babel__traverse": "*" + } + }, + "node_modules/@types/babel__generator": { + "version": "7.27.0", + "resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.27.0.tgz", + "integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__template": { + "version": "7.4.4", + "resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz", + "integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__traverse": { + "version": "7.20.7", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.20.7" + } + }, + "node_modules/@types/eslint": { + "version": "9.6.1", + "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-9.6.1.tgz", + "integrity": "sha512-FXx2pKgId/WyYo2jXw63kk7/+TY7u7AziEJxJAnSFzHlqTAS3Ync6SvgYAN/k4/PQpnnVuzoMuVnByKK2qp0ag==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "*", + "@types/json-schema": "*" + } + }, + "node_modules/@types/eslint-scope": { + "version": "3.7.7", + "resolved": "https://registry.npmjs.org/@types/eslint-scope/-/eslint-scope-3.7.7.tgz", + "integrity": "sha512-MzMFlSLBqNF2gcHWO0G1vP/YQyfvrxZ0bF+u7mzUdZ1/xK4A4sru+nraZz5i3iEIk1l1uyicaDVTB4QbbEkAYg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/eslint": "*", + "@types/estree": "*" + } + }, + "node_modules/@types/estree": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/@types/estree/-/estree-1.0.8.tgz", + "integrity": "sha512-dWHzHa2WqEXI/O1E9OjrocMTKJl2mSrEolh1Iomrv6U+JuNwaHXsXx9bLu5gG7BUWFIN0skIQJQ/L1rIex4X6w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/graceful-fs": { + "version": "4.1.9", + "resolved": "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.9.tgz", + "integrity": "sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/graceful-fs/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@types/graceful-fs/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/istanbul-lib-coverage": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz", + "integrity": "sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/istanbul-lib-report": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz", + "integrity": "sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-coverage": "*" + } + }, + "node_modules/@types/istanbul-reports": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz", + "integrity": "sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-report": "*" + } + }, + "node_modules/@types/jest": { + "version": "29.5.14", + "resolved": "https://registry.npmjs.org/@types/jest/-/jest-29.5.14.tgz", + "integrity": "sha512-ZN+4sdnLUbo8EVvVc2ao0GFW6oVrQRPn4K2lglySj7APvSrgzxHiNNK99us4WDMi57xxA2yggblIAMNhXOotLQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "expect": "^29.0.0", + "pretty-format": "^29.0.0" + } + }, + "node_modules/@types/jsdom": { + "version": "20.0.1", + "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.1.tgz", + "integrity": "sha512-d0r18sZPmMQr1eG35u12FZfhIXNrnsPU/g5wvRKCUf/tOGilKKwYMYGqh33BNR6ba+2gkHw1EUiHoN3mn7E5IQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "@types/tough-cookie": "*", + "parse5": "^7.0.0" + } + }, + "node_modules/@types/jsdom/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@types/jsdom/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/json-schema": { + "version": "7.0.15", + "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz", + "integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/node": { + "version": "18.19.120", + "license": "MIT", + "dependencies": { + "undici-types": "~5.26.4" + } + }, + "node_modules/@types/node-fetch": { + "version": "2.6.12", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "form-data": "^4.0.0" + } + }, + "node_modules/@types/node-fetch/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@types/node-fetch/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/qs": { + "version": "6.14.0", + "resolved": "https://registry.npmjs.org/@types/qs/-/qs-6.14.0.tgz", + "integrity": "sha512-eOunJqu0K1923aExK6y8p6fsihYEn/BYuQ4g0CxAAgFc4b/ZLN4CrsRZ55srTdqoiLzU2B2evC+apEIxprEzkQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/readable-stream": { + "version": "4.0.21", + "resolved": "https://registry.npmjs.org/@types/readable-stream/-/readable-stream-4.0.21.tgz", + "integrity": "sha512-19eKVv9tugr03IgfXlA9UVUVRbW6IuqRO5B92Dl4a6pT7K8uaGrNS0GkxiZD0BOk6PLuXl5FhWl//eX/pzYdTQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/readable-stream/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/@types/readable-stream/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/stack-utils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.3.tgz", + "integrity": "sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/tough-cookie": { + "version": "4.0.5", + "resolved": "https://registry.npmjs.org/@types/tough-cookie/-/tough-cookie-4.0.5.tgz", + "integrity": "sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/url-join": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/@types/url-join/-/url-join-4.0.1.tgz", + "integrity": "sha512-wDXw9LEEUHyV+7UWy7U315nrJGJ7p1BzaCxDpEoLr789Dk1WDVMMlf3iBfbG2F8NdWnYyFbtTxUn2ZNbm1Q4LQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/ws": { + "version": "8.18.1", + "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.18.1.tgz", + "integrity": "sha512-ThVF6DCVhA8kUGy+aazFQ4kXQ7E1Ty7A3ypFOe0IcJV8O/M511G99AW24irKrW56Wt44yG9+ij8FaqoBGkuBXg==", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/yargs": { + "version": "17.0.33", + "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.33.tgz", + "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/@types/yargs-parser": { + "version": "21.0.3", + "resolved": "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-21.0.3.tgz", + "integrity": "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/ast": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/ast/-/ast-1.14.1.tgz", + "integrity": "sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/helper-numbers": "1.13.2", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2" + } + }, + "node_modules/@webassemblyjs/floating-point-hex-parser": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz", + "integrity": "sha512-6oXyTOzbKxGH4steLbLNOu71Oj+C8Lg34n6CqRvqfS2O71BxY6ByfMDRhBytzknj9yGUPVJ1qIKhRlAwO1AovA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-api-error": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz", + "integrity": "sha512-U56GMYxy4ZQCbDZd6JuvvNV/WFildOjsaWD3Tzzvmw/mas3cXzRJPMjP83JqEsgSbyrmaGjBfDtV7KDXV9UzFQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-buffer": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz", + "integrity": "sha512-jyH7wtcHiKssDtFPRB+iQdxlDf96m0E39yb0k5uJVhFGleZFoNw1c4aeIcVUPPbXUVJ94wwnMOAqUHyzoEPVMA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-numbers": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz", + "integrity": "sha512-FE8aCmS5Q6eQYcV3gI35O4J789wlQA+7JrqTTpJqn5emA4U2hvwJmvFRC0HODS+3Ye6WioDklgd6scJ3+PLnEA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/floating-point-hex-parser": "1.13.2", + "@webassemblyjs/helper-api-error": "1.13.2", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/helper-wasm-bytecode": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz", + "integrity": "sha512-3QbLKy93F0EAIXLh0ogEVR6rOubA9AoZ+WRYhNbFyuB70j3dRdwH9g+qXhLAO0kiYGlg3TxDV+I4rQTr/YNXkA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-wasm-section": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz", + "integrity": "sha512-ds5mXEqTJ6oxRoqjhWDU83OgzAYjwsCV8Lo/N+oRsNDmx/ZDpqalmrtgOMkHwxsG0iI//3BwWAErYRHtgn0dZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/wasm-gen": "1.14.1" + } + }, + "node_modules/@webassemblyjs/ieee754": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz", + "integrity": "sha512-4LtOzh58S/5lX4ITKxnAK2USuNEvpdVV9AlgGQb8rJDHaLeHciwG4zlGr0j/SNWlr7x3vO1lDEsuePvtcDNCkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@xtuc/ieee754": "^1.2.0" + } + }, + "node_modules/@webassemblyjs/leb128": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/leb128/-/leb128-1.13.2.tgz", + "integrity": "sha512-Lde1oNoIdzVzdkNEAWZ1dZ5orIbff80YPdHx20mrHwHrVNNTjNr8E3xz9BdpcGqRQbAEa+fkrCb+fRFTl/6sQw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/utf8": { + "version": "1.13.2", + "resolved": "https://registry.npmjs.org/@webassemblyjs/utf8/-/utf8-1.13.2.tgz", + "integrity": "sha512-3NQWGjKTASY1xV5m7Hr0iPeXD9+RDobLll3T9d2AO+g3my8xy5peVyjSag4I50mR1bBSN/Ct12lo+R9tJk0NZQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/wasm-edit": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz", + "integrity": "sha512-RNJUIQH/J8iA/1NzlE4N7KtyZNHi3w7at7hDjvRNm5rcUXa00z1vRz3glZoULfJ5mpvYhLybmVcwcjGrC1pRrQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/helper-wasm-section": "1.14.1", + "@webassemblyjs/wasm-gen": "1.14.1", + "@webassemblyjs/wasm-opt": "1.14.1", + "@webassemblyjs/wasm-parser": "1.14.1", + "@webassemblyjs/wast-printer": "1.14.1" + } + }, + "node_modules/@webassemblyjs/wasm-gen": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz", + "integrity": "sha512-AmomSIjP8ZbfGQhumkNvgC33AY7qtMCXnN6bL2u2Js4gVCg8fp735aEiMSBbDR7UQIj90n4wKAFUSEd0QN2Ukg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/ieee754": "1.13.2", + "@webassemblyjs/leb128": "1.13.2", + "@webassemblyjs/utf8": "1.13.2" + } + }, + "node_modules/@webassemblyjs/wasm-opt": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz", + "integrity": "sha512-PTcKLUNvBqnY2U6E5bdOQcSM+oVP/PmrDY9NzowJjislEjwP/C4an2303MCVS2Mg9d3AJpIGdUFIQQWbPds0Sw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/wasm-gen": "1.14.1", + "@webassemblyjs/wasm-parser": "1.14.1" + } + }, + "node_modules/@webassemblyjs/wasm-parser": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz", + "integrity": "sha512-JLBl+KZ0R5qB7mCnud/yyX08jWFw5MsoalJ1pQ4EdFlgj9VdXKGuENGsiCIjegI1W7p91rUlcB/LB5yRJKNTcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-api-error": "1.13.2", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/ieee754": "1.13.2", + "@webassemblyjs/leb128": "1.13.2", + "@webassemblyjs/utf8": "1.13.2" + } + }, + "node_modules/@webassemblyjs/wast-printer": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz", + "integrity": "sha512-kPSSXE6De1XOR820C90RIo2ogvZG+c3KiHzqUoO/F34Y2shGzesfqv7o57xrxovZJH/MetF5UjroJ/R/3isoiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@xtuc/ieee754": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@xtuc/ieee754/-/ieee754-1.2.0.tgz", + "integrity": "sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/@xtuc/long": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/@xtuc/long/-/long-4.2.2.tgz", + "integrity": "sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/abab": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/abab/-/abab-2.0.6.tgz", + "integrity": "sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/abort-controller": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/abort-controller/-/abort-controller-3.0.0.tgz", + "integrity": "sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==", + "license": "MIT", + "dependencies": { + "event-target-shim": "^5.0.0" + }, + "engines": { + "node": ">=6.5" + } + }, + "node_modules/acorn": { + "version": "8.15.0", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.15.0.tgz", + "integrity": "sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg==", + "dev": true, + "license": "MIT", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-globals": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/acorn-globals/-/acorn-globals-7.0.1.tgz", + "integrity": "sha512-umOSDSDrfHbTNPuNpC2NSnnA3LUrqpevPb4T9jRx4MagXNS0rs+gwiTcAvqCRmsD6utzsrzNt+ebm00SNWiC3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.1.0", + "acorn-walk": "^8.0.2" + } + }, + "node_modules/acorn-import-phases": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/acorn-import-phases/-/acorn-import-phases-1.0.4.tgz", + "integrity": "sha512-wKmbr/DDiIXzEOiWrTTUcDm24kQ2vGfZQvM2fwg2vXqR5uW6aapr7ObPtj1th32b9u90/Pf4AItvdTh42fBmVQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.13.0" + }, + "peerDependencies": { + "acorn": "^8.14.0" + } + }, + "node_modules/acorn-walk": { + "version": "8.3.4", + "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz", + "integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.11.0" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/agent-base": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", + "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "4" + }, + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/ajv": { + "version": "8.17.1", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.17.1.tgz", + "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.3", + "fast-uri": "^3.0.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ajv-formats": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.1.tgz", + "integrity": "sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ajv": "^8.0.0" + }, + "peerDependencies": { + "ajv": "^8.0.0" + }, + "peerDependenciesMeta": { + "ajv": { + "optional": true + } + } + }, + "node_modules/ajv-keywords": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-5.1.0.tgz", + "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.3" + }, + "peerDependencies": { + "ajv": "^8.8.2" + } + }, + "node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/ansi-escapes/node_modules/type-fest": { + "version": "0.21.3", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dev": true, + "license": "ISC", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "sprintf-js": "~1.0.2" + } + }, + "node_modules/async": { + "version": "3.2.6", + "dev": true, + "license": "MIT" + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "license": "MIT" + }, + "node_modules/babel-jest": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-29.7.0.tgz", + "integrity": "sha512-BrvGY3xZSwEcCzKvKsCi2GgHqDqsYkOP4/by5xCgIwGXQxIEh+8ew3gmrE1y7XRR6LHZIj6yLYnUi/mm2KXKBg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/transform": "^29.7.0", + "@types/babel__core": "^7.1.14", + "babel-plugin-istanbul": "^6.1.1", + "babel-preset-jest": "^29.6.3", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "slash": "^3.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "@babel/core": "^7.8.0" + } + }, + "node_modules/babel-plugin-istanbul": { + "version": "6.1.1", + "resolved": "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz", + "integrity": "sha512-Y1IQok9821cC9onCx5otgFfRm7Lm+I+wwxOx738M/WLPZ9Q42m4IG5W0FNX8WLL2gYMZo3JkuXIH2DOpWM+qwA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@istanbuljs/load-nyc-config": "^1.0.0", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-instrument": "^5.0.4", + "test-exclude": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/babel-plugin-istanbul/node_modules/istanbul-lib-instrument": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz", + "integrity": "sha512-pzqtp31nLv/XFOzXGuvhCb8qhjmTVo5vjVk19XE4CRlSWz0KoeJ3bw9XsA7nOp9YBf4qHjwBxkDzKcME/J29Yg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/core": "^7.12.3", + "@babel/parser": "^7.14.7", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-coverage": "^3.2.0", + "semver": "^6.3.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/babel-plugin-istanbul/node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/babel-plugin-jest-hoist": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-29.6.3.tgz", + "integrity": "sha512-ESAc/RJvGTFEzRwOTT4+lNDk/GNHMkKbNzsvT0qKRfDyyYTskxB5rnU2njIDYVxXCBHHEI1c0YwHob3WaYujOg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.3.3", + "@babel/types": "^7.3.3", + "@types/babel__core": "^7.1.14", + "@types/babel__traverse": "^7.0.6" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/babel-preset-current-node-syntax": { + "version": "1.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-bigint": "^7.8.3", + "@babel/plugin-syntax-class-properties": "^7.12.13", + "@babel/plugin-syntax-class-static-block": "^7.14.5", + "@babel/plugin-syntax-import-attributes": "^7.24.7", + "@babel/plugin-syntax-import-meta": "^7.10.4", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.10.4", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-private-property-in-object": "^7.14.5", + "@babel/plugin-syntax-top-level-await": "^7.14.5" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/babel-preset-jest": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-29.6.3.tgz", + "integrity": "sha512-0B3bhxR6snWXJZtR/RliHTDPRgn1sNHOR0yVtq/IiQFyuOVjFS+wuio/R4gSNkyYmKmJB4wGZv2NZanmKmTnNA==", + "dev": true, + "license": "MIT", + "dependencies": { + "babel-plugin-jest-hoist": "^29.6.3", + "babel-preset-current-node-syntax": "^1.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true, + "license": "MIT" + }, + "node_modules/base64-js": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz", + "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/brace-expansion": { + "version": "1.1.12", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz", + "integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browserslist": { + "version": "4.25.1", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001726", + "electron-to-chromium": "^1.5.173", + "node-releases": "^2.0.19", + "update-browserslist-db": "^1.1.3" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/bs-logger": { + "version": "0.2.6", + "resolved": "https://registry.npmjs.org/bs-logger/-/bs-logger-0.2.6.tgz", + "integrity": "sha512-pd8DCoxmbgc7hyPKOvxtqNcjYoOsABPQdcCUjGp3d42VR2CX1ORhk2A87oqqu5R1kk+76nsxZupkmyd+MVtCog==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-json-stable-stringify": "2.x" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/bser": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz", + "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "node-int64": "^0.4.0" + } + }, + "node_modules/buffer": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/buffer/-/buffer-6.0.3.tgz", + "integrity": "sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.2.1" + } + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/call-bound": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.4.tgz", + "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "get-intrinsic": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/camelcase": { + "version": "6.3.0", + "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-6.3.0.tgz", + "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001727", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/char-regex": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz", + "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/chrome-trace-event": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz", + "integrity": "sha512-rNjApaLzuwaOTjCiT8lSDdGN1APCiqkChLMJxJPWLunPAt5fy8xgU9/jNOchV84wfIxrA0lRQB7oCT8jrn/wrQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0" + } + }, + "node_modules/ci-info": { + "version": "3.9.0", + "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-3.9.0.tgz", + "integrity": "sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/sibiraj-s" + } + ], + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/cjs-module-lexer": { + "version": "1.4.3", + "resolved": "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-1.4.3.tgz", + "integrity": "sha512-9z8TZaGM1pfswYeXrUpzPrkx8UnWYdhJclsiYMm6x/w5+nN+8Tf/LnAgfLGQCm59qAOxU8WwHEq2vNwF6i4j+Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/cliui": { + "version": "8.0.1", + "resolved": "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/co": { + "version": "4.6.0", + "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", + "integrity": "sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ==", + "dev": true, + "license": "MIT", + "engines": { + "iojs": ">= 1.0.0", + "node": ">= 0.12.0" + } + }, + "node_modules/collect-v8-coverage": { + "version": "1.0.2", + "dev": true, + "license": "MIT" + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true, + "license": "MIT" + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/commander": { + "version": "2.20.3", + "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", + "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/create-jest": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/create-jest/-/create-jest-29.7.0.tgz", + "integrity": "sha512-Adz2bdH0Vq3F53KEMJOoftQFutWCukm6J24wbPWRO4k1kMY7gS7ds/uoJkNuV8wDCtWWnuwGcJwpWcih+zEW1Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.9", + "jest-config": "^29.7.0", + "jest-util": "^29.7.0", + "prompts": "^2.0.1" + }, + "bin": { + "create-jest": "bin/create-jest.js" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/cssom": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.5.0.tgz", + "integrity": "sha512-iKuQcq+NdHqlAcwUY0o/HL69XQrUaQdMjmStJ8JFmUaiiQErlhrmuigkg/CU4E2J0IyUKUrMAgl36TvN67MqTw==", + "dev": true, + "license": "MIT" + }, + "node_modules/cssstyle": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-2.3.0.tgz", + "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssom": "~0.3.6" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/cssstyle/node_modules/cssom": { + "version": "0.3.8", + "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.3.8.tgz", + "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", + "dev": true, + "license": "MIT" + }, + "node_modules/data-urls": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-3.0.2.tgz", + "integrity": "sha512-Jy/tj3ldjZJo63sVAvg6LHt2mHvl4V6AgRAmNDtLdm7faqtsx+aJG42rsyCo9JCoRVKwPFzKlIPx3DIibwSIaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "abab": "^2.0.6", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^11.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/debug": { + "version": "4.4.1", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decimal.js": { + "version": "10.6.0", + "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.6.0.tgz", + "integrity": "sha512-YpgQiITW3JXGntzdUmyUR1V812Hn8T1YVXhCu+wO3OpS4eU9l4YdD3qjyiKdV6mvV29zapkMeD390UVEf2lkUg==", + "dev": true, + "license": "MIT" + }, + "node_modules/dedent": { + "version": "1.6.0", + "dev": true, + "license": "MIT", + "peerDependencies": { + "babel-plugin-macros": "^3.1.0" + }, + "peerDependenciesMeta": { + "babel-plugin-macros": { + "optional": true + } + } + }, + "node_modules/deepmerge": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.3.1.tgz", + "integrity": "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/detect-newline": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", + "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/diff-sequences": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/diff-sequences/-/diff-sequences-29.6.3.tgz", + "integrity": "sha512-EjePK1srD3P08o2j4f0ExnylqRs5B9tJjcp9t1krH2qRi8CCdsYfwe9JgSLurFBWwq4uOlipzfk5fHNvwFKr8Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/domexception": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/domexception/-/domexception-4.0.0.tgz", + "integrity": "sha512-A2is4PLG+eeSfoTMA95/s4pvAoSo2mKtiM5jlHkAVewmiO8ISFTFKZjH7UAM1Atli/OT/7JHOrJRJiMKUZKYBw==", + "dev": true, + "license": "MIT", + "dependencies": { + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/ejs": { + "version": "3.1.10", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "jake": "^10.8.5" + }, + "bin": { + "ejs": "bin/cli.js" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/electron-to-chromium": { + "version": "1.5.190", + "dev": true, + "license": "ISC" + }, + "node_modules/emittery": { + "version": "0.13.1", + "resolved": "https://registry.npmjs.org/emittery/-/emittery-0.13.1.tgz", + "integrity": "sha512-DeWwawk6r5yR9jFgnDKYt4sLS0LmHJJi3ZOnb5/JdbYwj3nW+FxQnHIjhBKz8YLC7oRNPVM9NQ47I3CVx34eqQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sindresorhus/emittery?sponsor=1" + } + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/enhanced-resolve": { + "version": "5.18.2", + "dev": true, + "license": "MIT", + "dependencies": { + "graceful-fs": "^4.2.4", + "tapable": "^2.2.0" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/entities": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/entities/-/entities-6.0.1.tgz", + "integrity": "sha512-aN97NXWF6AWBTahfVOIrB/NShkzi5H7F9r1s9mD3cDj4Ko5f2qhhVoYMibXF7GlLveb/D2ioWay8lxI97Ven3g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/error-ex": { + "version": "1.3.2", + "dev": true, + "license": "MIT", + "dependencies": { + "is-arrayish": "^0.2.1" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-module-lexer": { + "version": "1.7.0", + "resolved": "https://registry.npmjs.org/es-module-lexer/-/es-module-lexer-1.7.0.tgz", + "integrity": "sha512-jEQoCwk8hyb2AZziIOLhDqpm5+2ww5uIE6lkO/6jcOCusfk6LhMHpXXfBLXTZ7Ydyt0j4VoUQv6uGNYbdW+kBA==", + "dev": true, + "license": "MIT" + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-set-tostringtag": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/esbuild": { + "version": "0.25.9", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "bin": { + "esbuild": "bin/esbuild" + }, + "engines": { + "node": ">=18" + }, + "optionalDependencies": { + "@esbuild/aix-ppc64": "0.25.9", + "@esbuild/android-arm": "0.25.9", + "@esbuild/android-arm64": "0.25.9", + "@esbuild/android-x64": "0.25.9", + "@esbuild/darwin-arm64": "0.25.9", + "@esbuild/darwin-x64": "0.25.9", + "@esbuild/freebsd-arm64": "0.25.9", + "@esbuild/freebsd-x64": "0.25.9", + "@esbuild/linux-arm": "0.25.9", + "@esbuild/linux-arm64": "0.25.9", + "@esbuild/linux-ia32": "0.25.9", + "@esbuild/linux-loong64": "0.25.9", + "@esbuild/linux-mips64el": "0.25.9", + "@esbuild/linux-ppc64": "0.25.9", + "@esbuild/linux-riscv64": "0.25.9", + "@esbuild/linux-s390x": "0.25.9", + "@esbuild/linux-x64": "0.25.9", + "@esbuild/netbsd-arm64": "0.25.9", + "@esbuild/netbsd-x64": "0.25.9", + "@esbuild/openbsd-arm64": "0.25.9", + "@esbuild/openbsd-x64": "0.25.9", + "@esbuild/openharmony-arm64": "0.25.9", + "@esbuild/sunos-x64": "0.25.9", + "@esbuild/win32-arm64": "0.25.9", + "@esbuild/win32-ia32": "0.25.9", + "@esbuild/win32-x64": "0.25.9" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-string-regexp": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", + "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/escodegen": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/escodegen/-/escodegen-2.1.0.tgz", + "integrity": "sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esprima": "^4.0.1", + "estraverse": "^5.2.0", + "esutils": "^2.0.2" + }, + "bin": { + "escodegen": "bin/escodegen.js", + "esgenerate": "bin/esgenerate.js" + }, + "engines": { + "node": ">=6.0" + }, + "optionalDependencies": { + "source-map": "~0.6.1" + } + }, + "node_modules/eslint-scope": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz", + "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^4.1.1" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/eslint-scope/node_modules/estraverse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz", + "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true, + "license": "BSD-2-Clause", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/esrecurse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "estraverse": "^5.2.0" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estraverse": { + "version": "5.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", + "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/event-target-shim": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/event-target-shim/-/event-target-shim-5.0.1.tgz", + "integrity": "sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/events": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/events/-/events-3.3.0.tgz", + "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", + "license": "MIT", + "engines": { + "node": ">=0.8.x" + } + }, + "node_modules/execa": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", + "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-spawn": "^7.0.3", + "get-stream": "^6.0.0", + "human-signals": "^2.1.0", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.1", + "onetime": "^5.1.2", + "signal-exit": "^3.0.3", + "strip-final-newline": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/exit": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/exit/-/exit-0.1.2.tgz", + "integrity": "sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ==", + "dev": true, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/expect": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/expect/-/expect-29.7.0.tgz", + "integrity": "sha512-2Zks0hf1VLFYI1kbh0I5jP3KHHyCHpkfyHBzsSXRFgl/Bg9mWYfMW8oD+PdMPlEwy5HNsR9JutYy6pMeOh61nw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/expect-utils": "^29.7.0", + "jest-get-type": "^29.6.3", + "jest-matcher-utils": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-util": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-uri": { + "version": "3.0.6", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/fastify" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/fastify" + } + ], + "license": "BSD-3-Clause" + }, + "node_modules/fb-watchman": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.2.tgz", + "integrity": "sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "bser": "2.1.1" + } + }, + "node_modules/filelist": { + "version": "1.0.4", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "minimatch": "^5.0.1" + } + }, + "node_modules/filelist/node_modules/brace-expansion": { + "version": "2.0.2", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/filelist/node_modules/minimatch": { + "version": "5.1.6", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/form-data": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.4.tgz", + "integrity": "sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow==", + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "hasown": "^2.0.2", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/formdata-node": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/formdata-node/-/formdata-node-6.0.3.tgz", + "integrity": "sha512-8e1++BCiTzUno9v5IZ2J6bv4RU+3UKDmqWUQD0MIMVCd9AdhWkO1gw57oo1mNEX1dMq2EGI+FbWz4B92pscSQg==", + "license": "MIT", + "engines": { + "node": ">= 18" + } + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", + "dev": true, + "license": "ISC" + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "dev": true, + "license": "ISC", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-package-type": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", + "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/get-stream": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", + "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/glob": { + "version": "7.2.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", + "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", + "dev": true, + "license": "ISC", + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.1.1", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-to-regexp": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", + "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-tostringtag": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "license": "MIT", + "dependencies": { + "has-symbols": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/html-encoding-sniffer": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz", + "integrity": "sha512-oWv4T4yJ52iKrufjnyZPkrN0CH3QnrUqdB6In1g5Fe1mia8GmF36gnfNySxoZtxD5+NmYw1EElVXiBk93UeskA==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-encoding": "^2.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/html-escaper": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", + "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", + "dev": true, + "license": "MIT" + }, + "node_modules/http-proxy-agent": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz", + "integrity": "sha512-n2hY8YdoRE1i7r6M0w9DIw5GgZN0G25P8zLCRQ8rjXtTU3vsNFBI/vWK/UIeE6g5MUUz6avwAPXmL6Fy9D/90w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@tootallnate/once": "2", + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/https-proxy-agent": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", + "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/human-signals": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", + "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=10.17.0" + } + }, + "node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ieee754": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz", + "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "BSD-3-Clause" + }, + "node_modules/import-local": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.2.0.tgz", + "integrity": "sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + }, + "bin": { + "import-local-fixture": "fixtures/cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", + "dev": true, + "license": "ISC", + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/is-arrayish": { + "version": "0.2.1", + "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", + "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-core-module": { + "version": "2.16.1", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-generator-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz", + "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-stream": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", + "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true, + "license": "ISC" + }, + "node_modules/istanbul-lib-coverage": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz", + "integrity": "sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-instrument": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-6.0.3.tgz", + "integrity": "sha512-Vtgk7L/R2JHyyGW07spoFlB8/lpjiOLTjMdms6AFMraYt3BaJauod/NGrfnVG/y4Ix1JEuMRPDPEj2ua+zz1/Q==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/core": "^7.23.9", + "@babel/parser": "^7.23.9", + "@istanbuljs/schema": "^0.1.3", + "istanbul-lib-coverage": "^3.2.0", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-report": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz", + "integrity": "sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "istanbul-lib-coverage": "^3.0.0", + "make-dir": "^4.0.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-source-maps": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", + "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "debug": "^4.1.1", + "istanbul-lib-coverage": "^3.0.0", + "source-map": "^0.6.1" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-reports": { + "version": "3.1.7", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "html-escaper": "^2.0.0", + "istanbul-lib-report": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/jake": { + "version": "10.9.2", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "async": "^3.2.3", + "chalk": "^4.0.2", + "filelist": "^1.0.4", + "minimatch": "^3.1.2" + }, + "bin": { + "jake": "bin/cli.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jest": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest/-/jest-29.7.0.tgz", + "integrity": "sha512-NIy3oAFp9shda19hy4HK0HRTWKtPJmGdnvywu01nOqNC2vZg+Z+fvJDxpMQA88eb2I9EcafcdjYgsDthnYTvGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "^29.7.0", + "@jest/types": "^29.6.3", + "import-local": "^3.0.2", + "jest-cli": "^29.7.0" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/jest-changed-files": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-29.7.0.tgz", + "integrity": "sha512-fEArFiwf1BpQ+4bXSprcDc3/x4HSzL4al2tozwVpDFpsxALjLYdyiIK4e5Vz66GQJIbXJ82+35PtysofptNX2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "execa": "^5.0.0", + "jest-util": "^29.7.0", + "p-limit": "^3.1.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-circus": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-29.7.0.tgz", + "integrity": "sha512-3E1nCMgipcTkCocFwM90XXQab9bS+GMsjdpmPrlelaxwD93Ad8iVEjX/vvHPdLPnFf+L40u+5+iutRdA1N9myw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^29.7.0", + "@jest/expect": "^29.7.0", + "@jest/test-result": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "co": "^4.6.0", + "dedent": "^1.0.0", + "is-generator-fn": "^2.0.0", + "jest-each": "^29.7.0", + "jest-matcher-utils": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-runtime": "^29.7.0", + "jest-snapshot": "^29.7.0", + "jest-util": "^29.7.0", + "p-limit": "^3.1.0", + "pretty-format": "^29.7.0", + "pure-rand": "^6.0.0", + "slash": "^3.0.0", + "stack-utils": "^2.0.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-circus/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-circus/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-cli": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-29.7.0.tgz", + "integrity": "sha512-OVVobw2IubN/GSYsxETi+gOe7Ka59EFMR/twOU3Jb2GnKKeMGJB5SGUUrEz3SFVmJASUdZUzy83sLNNQ2gZslg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "^29.7.0", + "@jest/test-result": "^29.7.0", + "@jest/types": "^29.6.3", + "chalk": "^4.0.0", + "create-jest": "^29.7.0", + "exit": "^0.1.2", + "import-local": "^3.0.2", + "jest-config": "^29.7.0", + "jest-util": "^29.7.0", + "jest-validate": "^29.7.0", + "yargs": "^17.3.1" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" + }, + "peerDependenciesMeta": { + "node-notifier": { + "optional": true + } + } + }, + "node_modules/jest-config": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-29.7.0.tgz", + "integrity": "sha512-uXbpfeQ7R6TZBqI3/TxCU4q4ttk3u0PJeC+E0zbfSoSjq6bJ7buBPxzQPL0ifrkY4DNu4JUdk0ImlBUYi840eQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.11.6", + "@jest/test-sequencer": "^29.7.0", + "@jest/types": "^29.6.3", + "babel-jest": "^29.7.0", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "deepmerge": "^4.2.2", + "glob": "^7.1.3", + "graceful-fs": "^4.2.9", + "jest-circus": "^29.7.0", + "jest-environment-node": "^29.7.0", + "jest-get-type": "^29.6.3", + "jest-regex-util": "^29.6.3", + "jest-resolve": "^29.7.0", + "jest-runner": "^29.7.0", + "jest-util": "^29.7.0", + "jest-validate": "^29.7.0", + "micromatch": "^4.0.4", + "parse-json": "^5.2.0", + "pretty-format": "^29.7.0", + "slash": "^3.0.0", + "strip-json-comments": "^3.1.1" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "@types/node": "*", + "ts-node": ">=9.0.0" + }, + "peerDependenciesMeta": { + "@types/node": { + "optional": true + }, + "ts-node": { + "optional": true + } + } + }, + "node_modules/jest-config/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "optional": true, + "peer": true, + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-config/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT", + "optional": true, + "peer": true + }, + "node_modules/jest-diff": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-29.7.0.tgz", + "integrity": "sha512-LMIgiIrhigmPrs03JHpxUh2yISK3vLFPkAodPeo0+BuF7wA2FoQbkEg1u8gBYBThncu7e1oEDUfIXVuTqLRUjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^29.6.3", + "jest-get-type": "^29.6.3", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-docblock": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-docblock/-/jest-docblock-29.7.0.tgz", + "integrity": "sha512-q617Auw3A612guyaFgsbFeYpNP5t2aoUNLwBUbc/0kD1R4t9ixDbyFTHd1nok4epoVFpr7PmeWHrhvuV3XaJ4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "detect-newline": "^3.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-each": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-29.7.0.tgz", + "integrity": "sha512-gns+Er14+ZrEoC5fhOfYCY1LOHHr0TI+rQUHZS8Ttw2l7gl+80eHc/gFf2Ktkw0+SIACDTeWvpFcv3B04VembQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "chalk": "^4.0.0", + "jest-get-type": "^29.6.3", + "jest-util": "^29.7.0", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-jsdom": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-29.7.0.tgz", + "integrity": "sha512-k9iQbsf9OyOfdzWH8HDmrRT0gSIcX+FLNW7IQq94tFX0gynPwqDTW0Ho6iMVNjGz/nb+l/vW3dWM2bbLLpkbXA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^29.7.0", + "@jest/fake-timers": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/jsdom": "^20.0.0", + "@types/node": "*", + "jest-mock": "^29.7.0", + "jest-util": "^29.7.0", + "jsdom": "^20.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jest-environment-jsdom/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-environment-jsdom/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-environment-node": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-29.7.0.tgz", + "integrity": "sha512-DOSwCRqXirTOyheM+4d5YZOrWcdu0LNZ87ewUoywbcb2XR4wKgqiG8vNeYwhjFMbEkfju7wx2GYH0P2gevGvFw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^29.7.0", + "@jest/fake-timers": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "jest-mock": "^29.7.0", + "jest-util": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-environment-node/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-environment-node/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-get-type": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/jest-get-type/-/jest-get-type-29.6.3.tgz", + "integrity": "sha512-zrteXnqYxfQh7l5FHyL38jL39di8H8rHoecLH3JNxH3BwOrBsNeabdap5e0I23lD4HHI8W5VFBZqG4Eaq5LNcw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-haste-map": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-29.7.0.tgz", + "integrity": "sha512-fP8u2pyfqx0K1rGn1R9pyE0/KTn+G7PxktWidOBTqFPLYX0b9ksaMFkhK5vrS3DVun09pckLdlx90QthlW7AmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@types/graceful-fs": "^4.1.3", + "@types/node": "*", + "anymatch": "^3.0.3", + "fb-watchman": "^2.0.0", + "graceful-fs": "^4.2.9", + "jest-regex-util": "^29.6.3", + "jest-util": "^29.7.0", + "jest-worker": "^29.7.0", + "micromatch": "^4.0.4", + "walker": "^1.0.8" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "optionalDependencies": { + "fsevents": "^2.3.2" + } + }, + "node_modules/jest-haste-map/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-haste-map/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-leak-detector": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-29.7.0.tgz", + "integrity": "sha512-kYA8IJcSYtST2BY9I+SMC32nDpBT3J2NvWJx8+JCuCdl/CR1I4EKUJROiP8XtCcxqgTTBGJNdbB1A8XRKbTetw==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-get-type": "^29.6.3", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-matcher-utils": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz", + "integrity": "sha512-sBkD+Xi9DtcChsI3L3u0+N0opgPYnCRPtGcQYrgXmR+hmt/fYfWAL0xRXYU8eWOdfuLgBe0YCW3AFtnRLagq/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^29.7.0", + "jest-get-type": "^29.6.3", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-message-util": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-29.7.0.tgz", + "integrity": "sha512-GBEV4GRADeP+qtB2+6u61stea8mGcOT4mCtrYISZwfu9/ISHFJ/5zOMXYbpBE9RsS5+Gb63DW4FgmnKJ79Kf6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.12.13", + "@jest/types": "^29.6.3", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "micromatch": "^4.0.4", + "pretty-format": "^29.7.0", + "slash": "^3.0.0", + "stack-utils": "^2.0.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-mock": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-29.7.0.tgz", + "integrity": "sha512-ITOMZn+UkYS4ZFh83xYAOzWStloNzJFO2s8DWrE4lhtGD+AorgnbkiKERe4wQVBydIGPx059g6riW5Btp6Llnw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@types/node": "*", + "jest-util": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-mock/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-mock/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-pnp-resolver": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz", + "integrity": "sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + }, + "peerDependencies": { + "jest-resolve": "*" + }, + "peerDependenciesMeta": { + "jest-resolve": { + "optional": true + } + } + }, + "node_modules/jest-regex-util": { + "version": "29.6.3", + "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-29.6.3.tgz", + "integrity": "sha512-KJJBsRCyyLNWCNBOvZyRDnAIfUiRJ8v+hOBQYGn8gDyF3UegwiP4gwRR3/SDa42g1YbVycTidUF3rKjyLFDWbg==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-resolve": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-29.7.0.tgz", + "integrity": "sha512-IOVhZSrg+UvVAshDSDtHyFCCBUl/Q3AAJv8iZ6ZjnZ74xzvwuzLXid9IIIPgTnY62SJjfuupMKZsZQRsCvxEgA==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "jest-haste-map": "^29.7.0", + "jest-pnp-resolver": "^1.2.2", + "jest-util": "^29.7.0", + "jest-validate": "^29.7.0", + "resolve": "^1.20.0", + "resolve.exports": "^2.0.0", + "slash": "^3.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-resolve-dependencies": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-29.7.0.tgz", + "integrity": "sha512-un0zD/6qxJ+S0et7WxeI3H5XSe9lTBBR7bOHCHXkKR6luG5mwDDlIzVQ0V5cZCuoTgEdcdwzTghYkTWfubi+nA==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-regex-util": "^29.6.3", + "jest-snapshot": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-runner": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-29.7.0.tgz", + "integrity": "sha512-fsc4N6cPCAahybGBfTRcq5wFR6fpLznMg47sY5aDpsoejOcVYFb07AHuSnR0liMcPTgBsA3ZJL6kFOjPdoNipQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^29.7.0", + "@jest/environment": "^29.7.0", + "@jest/test-result": "^29.7.0", + "@jest/transform": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "emittery": "^0.13.1", + "graceful-fs": "^4.2.9", + "jest-docblock": "^29.7.0", + "jest-environment-node": "^29.7.0", + "jest-haste-map": "^29.7.0", + "jest-leak-detector": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-resolve": "^29.7.0", + "jest-runtime": "^29.7.0", + "jest-util": "^29.7.0", + "jest-watcher": "^29.7.0", + "jest-worker": "^29.7.0", + "p-limit": "^3.1.0", + "source-map-support": "0.5.13" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-runner/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-runner/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-runtime": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-29.7.0.tgz", + "integrity": "sha512-gUnLjgwdGqW7B4LvOIkbKs9WGbn+QLqRQQ9juC6HndeDiezIwhDP+mhMwHWCEcfQ5RUXa6OPnFF8BJh5xegwwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^29.7.0", + "@jest/fake-timers": "^29.7.0", + "@jest/globals": "^29.7.0", + "@jest/source-map": "^29.6.3", + "@jest/test-result": "^29.7.0", + "@jest/transform": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "cjs-module-lexer": "^1.0.0", + "collect-v8-coverage": "^1.0.0", + "glob": "^7.1.3", + "graceful-fs": "^4.2.9", + "jest-haste-map": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-mock": "^29.7.0", + "jest-regex-util": "^29.6.3", + "jest-resolve": "^29.7.0", + "jest-snapshot": "^29.7.0", + "jest-util": "^29.7.0", + "slash": "^3.0.0", + "strip-bom": "^4.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-runtime/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-runtime/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-snapshot": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-29.7.0.tgz", + "integrity": "sha512-Rm0BMWtxBcioHr1/OX5YCP8Uov4riHvKPknOGs804Zg9JGZgmIBkbtlxJC/7Z4msKYVbIJtfU+tKb8xlYNfdkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.11.6", + "@babel/generator": "^7.7.2", + "@babel/plugin-syntax-jsx": "^7.7.2", + "@babel/plugin-syntax-typescript": "^7.7.2", + "@babel/types": "^7.3.3", + "@jest/expect-utils": "^29.7.0", + "@jest/transform": "^29.7.0", + "@jest/types": "^29.6.3", + "babel-preset-current-node-syntax": "^1.0.0", + "chalk": "^4.0.0", + "expect": "^29.7.0", + "graceful-fs": "^4.2.9", + "jest-diff": "^29.7.0", + "jest-get-type": "^29.6.3", + "jest-matcher-utils": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-util": "^29.7.0", + "natural-compare": "^1.4.0", + "pretty-format": "^29.7.0", + "semver": "^7.5.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-util": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-29.7.0.tgz", + "integrity": "sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "graceful-fs": "^4.2.9", + "picomatch": "^2.2.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-util/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-util/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-validate": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-29.7.0.tgz", + "integrity": "sha512-ZB7wHqaRGVw/9hST/OuFUReG7M8vKeq0/J2egIGLdvjHCmYqGARhzXmtgi+gVeZ5uXFF219aOc3Ls2yLg27tkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "camelcase": "^6.2.0", + "chalk": "^4.0.0", + "jest-get-type": "^29.6.3", + "leven": "^3.1.0", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-watcher": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-29.7.0.tgz", + "integrity": "sha512-49Fg7WXkU3Vl2h6LbLtMQ/HyB6rXSIX7SqvBLQmssRBGN9I0PNvPmAmCWSOY6SOvrjhI/F7/bGAv9RtnsPA03g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "^29.7.0", + "@jest/types": "^29.6.3", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "emittery": "^0.13.1", + "jest-util": "^29.7.0", + "string-length": "^4.0.1" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-watcher/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-watcher/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-worker": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-29.7.0.tgz", + "integrity": "sha512-eIz2msL/EzL9UFTFFx7jBTkeZfku0yUAyZZZmJ93H2TYEiroIx2PQjEXcwYtYl8zXCxb+PAmA2hLIt/6ZEkPHw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "jest-util": "^29.7.0", + "merge-stream": "^2.0.0", + "supports-color": "^8.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-worker/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/jest-worker/node_modules/supports-color": { + "version": "8.1.1", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", + "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/supports-color?sponsor=1" + } + }, + "node_modules/jest-worker/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/jsdom": { + "version": "20.0.3", + "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-20.0.3.tgz", + "integrity": "sha512-SYhBvTh89tTfCD/CRdSOm13mOBa42iTaTyfyEWBdKcGdPxPtLFBXuHR8XHb33YNYaP+lLbmSvBTsnoesCNJEsQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "abab": "^2.0.6", + "acorn": "^8.8.1", + "acorn-globals": "^7.0.0", + "cssom": "^0.5.0", + "cssstyle": "^2.3.0", + "data-urls": "^3.0.2", + "decimal.js": "^10.4.2", + "domexception": "^4.0.0", + "escodegen": "^2.0.0", + "form-data": "^4.0.0", + "html-encoding-sniffer": "^3.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.1", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.2", + "parse5": "^7.1.1", + "saxes": "^6.0.0", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.1.2", + "w3c-xmlserializer": "^4.0.0", + "webidl-conversions": "^7.0.0", + "whatwg-encoding": "^2.0.0", + "whatwg-mimetype": "^3.0.0", + "whatwg-url": "^11.0.0", + "ws": "^8.11.0", + "xml-name-validator": "^4.0.0" + }, + "engines": { + "node": ">=14" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jsesc": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-3.1.0.tgz", + "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", + "dev": true, + "license": "MIT", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true, + "license": "MIT" + }, + "node_modules/json5": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz", + "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", + "dev": true, + "license": "MIT", + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/kleur": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-3.0.3.tgz", + "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/leven": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz", + "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/lines-and-columns": { + "version": "1.2.4", + "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", + "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", + "dev": true, + "license": "MIT" + }, + "node_modules/loader-runner": { + "version": "4.3.0", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.11.5" + } + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash.memoize": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/lodash.memoize/-/lodash.memoize-4.1.2.tgz", + "integrity": "sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag==", + "dev": true, + "license": "MIT" + }, + "node_modules/lru-cache": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz", + "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", + "dev": true, + "license": "ISC", + "dependencies": { + "yallist": "^3.0.2" + } + }, + "node_modules/make-dir": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-4.0.0.tgz", + "integrity": "sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/make-error": { + "version": "1.3.6", + "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", + "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", + "dev": true, + "license": "ISC" + }, + "node_modules/makeerror": { + "version": "1.0.12", + "resolved": "https://registry.npmjs.org/makeerror/-/makeerror-1.0.12.tgz", + "integrity": "sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "tmpl": "1.0.5" + } + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/merge-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", + "dev": true, + "license": "MIT" + }, + "node_modules/micromatch": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", + "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", + "dev": true, + "license": "MIT", + "dependencies": { + "braces": "^3.0.3", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "license": "MIT", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mimic-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true, + "license": "MIT" + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", + "dev": true, + "license": "MIT" + }, + "node_modules/neo-async": { + "version": "2.6.2", + "resolved": "https://registry.npmjs.org/neo-async/-/neo-async-2.6.2.tgz", + "integrity": "sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-fetch": { + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz", + "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", + "license": "MIT", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/node-fetch/node_modules/tr46": { + "version": "0.0.3", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", + "license": "MIT" + }, + "node_modules/node-fetch/node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", + "license": "BSD-2-Clause" + }, + "node_modules/node-fetch/node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "license": "MIT", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/node-int64": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz", + "integrity": "sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-releases": { + "version": "2.0.19", + "dev": true, + "license": "MIT" + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/npm-run-path": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/nwsapi": { + "version": "2.2.20", + "dev": true, + "license": "MIT" + }, + "node_modules/object-inspect": { + "version": "1.13.4", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", + "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", + "dev": true, + "license": "ISC", + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/onetime": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "mimic-fn": "^2.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-limit": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "yocto-queue": "^0.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-locate/node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/parse-json": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", + "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "error-ex": "^1.3.1", + "json-parse-even-better-errors": "^2.3.0", + "lines-and-columns": "^1.1.6" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/parse5": { + "version": "7.3.0", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.3.0.tgz", + "integrity": "sha512-IInvU7fabl34qmi9gY8XOVxhYyMyuH2xUNpb2q8/Y+7552KlejkRvqvD19nMoUW/uQGGbqNpA6Tufu5FL5BZgw==", + "dev": true, + "license": "MIT", + "dependencies": { + "entities": "^6.0.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true, + "license": "MIT" + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "dev": true, + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pirates": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.7.tgz", + "integrity": "sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/prettier": { + "version": "3.6.2", + "resolved": "https://registry.npmjs.org/prettier/-/prettier-3.6.2.tgz", + "integrity": "sha512-I7AIg5boAr5R0FFtJ6rCfD+LFsWHp81dolrFD8S79U9tb8Az2nGrJncnMSnys+bpQJfRUzqs9hnA81OAA3hCuQ==", + "dev": true, + "license": "MIT", + "bin": { + "prettier": "bin/prettier.cjs" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/prettier/prettier?sponsor=1" + } + }, + "node_modules/pretty-format": { + "version": "29.7.0", + "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-29.7.0.tgz", + "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/pretty-format/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/process": { + "version": "0.11.10", + "resolved": "https://registry.npmjs.org/process/-/process-0.11.10.tgz", + "integrity": "sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==", + "license": "MIT", + "engines": { + "node": ">= 0.6.0" + } + }, + "node_modules/prompts": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/prompts/-/prompts-2.4.2.tgz", + "integrity": "sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "kleur": "^3.0.3", + "sisteransi": "^1.0.5" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/psl": { + "version": "1.15.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.15.0.tgz", + "integrity": "sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.3.1" + }, + "funding": { + "url": "https://github.com/sponsors/lupomontero" + } + }, + "node_modules/punycode": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/pure-rand": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/pure-rand/-/pure-rand-6.1.0.tgz", + "integrity": "sha512-bVWawvoZoBYpp6yIoQtQXHZjmz35RSVHnUOTefl8Vcjr8snTPY1wnpSPMWekcFwbxI6gtmT7rSYPFvz71ldiOA==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/dubzzz" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/fast-check" + } + ], + "license": "MIT" + }, + "node_modules/qs": { + "version": "6.14.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.14.0.tgz", + "integrity": "sha512-YWWTjgABSKcvs/nWBi9PycY/JiPJqOD4JA6o9Sej2AtvSGarXxKC3OQSk4pAarbdQlKAh5D4FCQkJNkW+GAn3w==", + "license": "BSD-3-Clause", + "dependencies": { + "side-channel": "^1.1.0" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/querystringify": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz", + "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/randombytes": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/randombytes/-/randombytes-2.1.0.tgz", + "integrity": "sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "safe-buffer": "^5.1.0" + } + }, + "node_modules/react-is": { + "version": "18.3.1", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/readable-stream": { + "version": "4.7.0", + "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-4.7.0.tgz", + "integrity": "sha512-oIGGmcpTLwPga8Bn6/Z75SVaH1z5dUut2ibSyAMVhmUggWpmDn2dapB0n7f8nwaSiRtepAsfJyfXIO5DCVAODg==", + "license": "MIT", + "dependencies": { + "abort-controller": "^3.0.0", + "buffer": "^6.0.3", + "events": "^3.3.0", + "process": "^0.11.10", + "string_decoder": "^1.3.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-from-string": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz", + "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/requires-port": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz", + "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/resolve": { + "version": "1.22.10", + "dev": true, + "license": "MIT", + "dependencies": { + "is-core-module": "^2.16.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-cwd": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-from": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve.exports": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/resolve.exports/-/resolve.exports-2.0.3.tgz", + "integrity": "sha512-OcXjMsGdhL4XnbShKpAcSqPMzQoYkYyhbEaeSko47MjRP9NfEQMhZkXL1DoFlt9LWQn4YttrdnV6X2OiyzBi+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "dev": true, + "license": "MIT" + }, + "node_modules/saxes": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", + "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", + "dev": true, + "license": "ISC", + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=v12.22.7" + } + }, + "node_modules/schema-utils": { + "version": "4.3.2", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/json-schema": "^7.0.9", + "ajv": "^8.9.0", + "ajv-formats": "^2.1.1", + "ajv-keywords": "^5.1.0" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/semver": { + "version": "7.7.2", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/serialize-javascript": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-6.0.2.tgz", + "integrity": "sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "randombytes": "^2.1.0" + } + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/side-channel": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", + "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3", + "side-channel-list": "^1.0.0", + "side-channel-map": "^1.0.1", + "side-channel-weakmap": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-list": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", + "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-map": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", + "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-weakmap": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", + "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3", + "side-channel-map": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/signal-exit": { + "version": "3.0.7", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", + "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/sisteransi": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/sisteransi/-/sisteransi-1.0.5.tgz", + "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==", + "dev": true, + "license": "MIT" + }, + "node_modules/slash": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.13", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.13.tgz", + "integrity": "sha512-SHSKFHadjVA5oR4PPqhtAVdcBWwRYVd6g6cAXnIbRiIwc2EhPrTuKUBdSLvlEKyIP3GCf89fltvcZiP9MMFA1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/stack-utils": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.6.tgz", + "integrity": "sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/string_decoder": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", + "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", + "license": "MIT", + "dependencies": { + "safe-buffer": "~5.2.0" + } + }, + "node_modules/string-length": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz", + "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "char-regex": "^1.0.2", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-bom": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", + "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-final-newline": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/strip-json-comments": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-preserve-symlinks-flag": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", + "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/symbol-tree": { + "version": "3.2.4", + "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", + "dev": true, + "license": "MIT" + }, + "node_modules/tapable": { + "version": "2.2.2", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/terser": { + "version": "5.43.1", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@jridgewell/source-map": "^0.3.3", + "acorn": "^8.14.0", + "commander": "^2.20.0", + "source-map-support": "~0.5.20" + }, + "bin": { + "terser": "bin/terser" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/terser-webpack-plugin": { + "version": "5.3.14", + "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.14.tgz", + "integrity": "sha512-vkZjpUjb6OMS7dhV+tILUW6BhpDR7P2L/aQSAv+Uwk+m8KATX9EccViHTJR2qDtACKPIYndLGCyl3FMo+r2LMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.25", + "jest-worker": "^27.4.5", + "schema-utils": "^4.3.0", + "serialize-javascript": "^6.0.2", + "terser": "^5.31.1" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.1.0" + }, + "peerDependenciesMeta": { + "@swc/core": { + "optional": true + }, + "esbuild": { + "optional": true + }, + "uglify-js": { + "optional": true + } + } + }, + "node_modules/terser-webpack-plugin/node_modules/@types/node": { + "version": "24.1.0", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~7.8.0" + } + }, + "node_modules/terser-webpack-plugin/node_modules/jest-worker": { + "version": "27.5.1", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-27.5.1.tgz", + "integrity": "sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^8.0.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/terser-webpack-plugin/node_modules/supports-color": { + "version": "8.1.1", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", + "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/supports-color?sponsor=1" + } + }, + "node_modules/terser-webpack-plugin/node_modules/undici-types": { + "version": "7.8.0", + "dev": true, + "license": "MIT" + }, + "node_modules/terser/node_modules/source-map-support": { + "version": "0.5.21", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", + "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/test-exclude": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", + "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", + "dev": true, + "license": "ISC", + "dependencies": { + "@istanbuljs/schema": "^0.1.2", + "glob": "^7.1.4", + "minimatch": "^3.0.4" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/tmpl": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/tmpl/-/tmpl-1.0.5.tgz", + "integrity": "sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/tough-cookie": { + "version": "4.1.4", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.4.tgz", + "integrity": "sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tr46": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-3.0.0.tgz", + "integrity": "sha512-l7FvfAHlcmulp8kr+flpQZmVwtu7nfRV7NZujtN0OqES8EL4O4e0qqzL0DC5gAvx/ZC/9lk6rhcUwYvkBnBnYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/ts-jest": { + "version": "29.4.0", + "dev": true, + "license": "MIT", + "dependencies": { + "bs-logger": "^0.2.6", + "ejs": "^3.1.10", + "fast-json-stable-stringify": "^2.1.0", + "json5": "^2.2.3", + "lodash.memoize": "^4.1.2", + "make-error": "^1.3.6", + "semver": "^7.7.2", + "type-fest": "^4.41.0", + "yargs-parser": "^21.1.1" + }, + "bin": { + "ts-jest": "cli.js" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || ^18.0.0 || >=20.0.0" + }, + "peerDependencies": { + "@babel/core": ">=7.0.0-beta.0 <8", + "@jest/transform": "^29.0.0 || ^30.0.0", + "@jest/types": "^29.0.0 || ^30.0.0", + "babel-jest": "^29.0.0 || ^30.0.0", + "jest": "^29.0.0 || ^30.0.0", + "jest-util": "^29.0.0 || ^30.0.0", + "typescript": ">=4.3 <6" + }, + "peerDependenciesMeta": { + "@babel/core": { + "optional": true + }, + "@jest/transform": { + "optional": true + }, + "@jest/types": { + "optional": true + }, + "babel-jest": { + "optional": true + }, + "esbuild": { + "optional": true + }, + "jest-util": { + "optional": true + } + } + }, + "node_modules/ts-loader": { + "version": "9.5.2", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.1.0", + "enhanced-resolve": "^5.0.0", + "micromatch": "^4.0.0", + "semver": "^7.3.4", + "source-map": "^0.7.4" + }, + "engines": { + "node": ">=12.0.0" + }, + "peerDependencies": { + "typescript": "*", + "webpack": "^5.0.0" + } + }, + "node_modules/ts-loader/node_modules/source-map": { + "version": "0.7.6", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.6.tgz", + "integrity": "sha512-i5uvt8C3ikiWeNZSVZNWcfZPItFQOsYTUAOkcUPGd8DqDy1uOUikjt5dG+uRlwyvR108Fb9DOd4GvXfT0N2/uQ==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">= 12" + } + }, + "node_modules/type-detect": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz", + "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/type-fest": { + "version": "4.41.0", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-4.41.0.tgz", + "integrity": "sha512-TeTSQ6H5YHvpqVwBRcnLDCBnDOHWYu7IvGbHT6N8AOymcr9PJGjc1GTtiWZTYg0NCgYwvnYWEkVChQAr9bjfwA==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=16" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/typescript": { + "version": "5.7.3", + "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.7.3.tgz", + "integrity": "sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw==", + "dev": true, + "license": "Apache-2.0", + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=14.17" + } + }, + "node_modules/undici-types": { + "version": "5.26.5", + "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz", + "integrity": "sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==", + "license": "MIT" + }, + "node_modules/universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.1.3", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.1" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/url-join": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/url-join/-/url-join-4.0.1.tgz", + "integrity": "sha512-jk1+QP6ZJqyOiuEI9AEWQfju/nB2Pw466kbA0LEZljHwKeMgd9WrAEgEGxjPDD2+TNbbb37rTyhEfrCXfuKXnA==", + "license": "MIT" + }, + "node_modules/url-parse": { + "version": "1.5.10", + "resolved": "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz", + "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "querystringify": "^2.1.1", + "requires-port": "^1.0.0" + } + }, + "node_modules/v8-to-istanbul": { + "version": "9.3.0", + "resolved": "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-9.3.0.tgz", + "integrity": "sha512-kiGUalWN+rgBJ/1OHZsBtU4rXZOfj/7rKQxULKlIzwzQSvMJUUNgPwJEEh7gU6xEVxC0ahoOBvN2YI8GH6FNgA==", + "dev": true, + "license": "ISC", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.12", + "@types/istanbul-lib-coverage": "^2.0.1", + "convert-source-map": "^2.0.0" + }, + "engines": { + "node": ">=10.12.0" + } + }, + "node_modules/w3c-xmlserializer": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-4.0.0.tgz", + "integrity": "sha512-d+BFHzbiCx6zGfz0HyQ6Rg69w9k19nviJspaj4yNscGjrHu94sVP+aRm75yEbCh+r2/yR+7q6hux9LVtbuTGBw==", + "dev": true, + "license": "MIT", + "dependencies": { + "xml-name-validator": "^4.0.0" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/walker": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/walker/-/walker-1.0.8.tgz", + "integrity": "sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "makeerror": "1.0.12" + } + }, + "node_modules/watchpack": { + "version": "2.4.4", + "dev": true, + "license": "MIT", + "dependencies": { + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.1.2" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/webidl-conversions": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz", + "integrity": "sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=12" + } + }, + "node_modules/webpack": { + "version": "5.100.2", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/eslint-scope": "^3.7.7", + "@types/estree": "^1.0.8", + "@types/json-schema": "^7.0.15", + "@webassemblyjs/ast": "^1.14.1", + "@webassemblyjs/wasm-edit": "^1.14.1", + "@webassemblyjs/wasm-parser": "^1.14.1", + "acorn": "^8.15.0", + "acorn-import-phases": "^1.0.3", + "browserslist": "^4.24.0", + "chrome-trace-event": "^1.0.2", + "enhanced-resolve": "^5.17.2", + "es-module-lexer": "^1.2.1", + "eslint-scope": "5.1.1", + "events": "^3.2.0", + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.2.11", + "json-parse-even-better-errors": "^2.3.1", + "loader-runner": "^4.2.0", + "mime-types": "^2.1.27", + "neo-async": "^2.6.2", + "schema-utils": "^4.3.2", + "tapable": "^2.1.1", + "terser-webpack-plugin": "^5.3.11", + "watchpack": "^2.4.1", + "webpack-sources": "^3.3.3" + }, + "bin": { + "webpack": "bin/webpack.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependenciesMeta": { + "webpack-cli": { + "optional": true + } + } + }, + "node_modules/webpack-sources": { + "version": "3.3.3", + "resolved": "https://registry.npmjs.org/webpack-sources/-/webpack-sources-3.3.3.tgz", + "integrity": "sha512-yd1RBzSGanHkitROoPFd6qsrxt+oFhg/129YzheDGqeustzX0vTZJZsSsQjVQC4yzBQ56K55XU8gaNCtIzOnTg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/whatwg-encoding": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz", + "integrity": "sha512-p41ogyeMUrw3jWclHWTQg1k05DSVXPLcVxRTYsXUk+ZooOCZLcoYgPZ/HL/D/N+uQPOtcp1me1WhBEaX02mhWg==", + "dev": true, + "license": "MIT", + "dependencies": { + "iconv-lite": "0.6.3" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/whatwg-mimetype": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-3.0.0.tgz", + "integrity": "sha512-nt+N2dzIutVRxARx1nghPKGv1xHikU7HKdfafKkLNLindmPU/ch3U31NOCGGA/dmPcmb1VlofO0vnKAcsm0o/Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + } + }, + "node_modules/whatwg-url": { + "version": "11.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", + "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "^3.0.0", + "webidl-conversions": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/write-file-atomic": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.2.tgz", + "integrity": "sha512-7KxauUdBmSdWnmpaGFg+ppNjKF8uNLry8LyzjauQDOVONfFLNKrKvQOxZ/VuTIcS/gge/YNahf5RIIQWTSarlg==", + "dev": true, + "license": "ISC", + "dependencies": { + "imurmurhash": "^0.1.4", + "signal-exit": "^3.0.7" + }, + "engines": { + "node": "^12.13.0 || ^14.15.0 || >=16.0.0" + } + }, + "node_modules/ws": { + "version": "8.18.3", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.18.3.tgz", + "integrity": "sha512-PEIGCY5tSlUt50cqyMXfCzX+oOPqN0vuGqWzbcJ2xvnkzkq46oOpz7dQaTDBdfICb4N14+GARUDw2XV2N4tvzg==", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/xml-name-validator": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-4.0.0.tgz", + "integrity": "sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=12" + } + }, + "node_modules/xmlchars": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", + "dev": true, + "license": "MIT" + }, + "node_modules/y18n": { + "version": "5.0.8", + "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/yallist": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz", + "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", + "dev": true, + "license": "ISC" + }, + "node_modules/yargs": { + "version": "17.7.2", + "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/yocto-queue": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + } + } +} diff --git a/package.json b/package.json index f7fbc10d..a1019427 100644 --- a/package.json +++ b/package.json @@ -50,7 +50,9 @@ "path": false, "stream": false, "crypto": false, - "timers": false + "timers": false, + "url": false, + "ws": false }, "packageManager": "yarn@1.22.22", "engines": { diff --git a/src/datastream/client.test.ts b/src/datastream/client.test.ts new file mode 100644 index 00000000..cd9092a0 --- /dev/null +++ b/src/datastream/client.test.ts @@ -0,0 +1,176 @@ +import { DatastreamClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc, DataStreamResp, EntityType, Action } from '../datastream'; + +// Mock logger implementation +class MockLogger implements Logger { + debug(ctx: any, message: string, ...args: any[]): void { + console.log(`[DEBUG] ${message}`, ...args); + } + + info(ctx: any, message: string, ...args: any[]): void { + console.log(`[INFO] ${message}`, ...args); + } + + warn(ctx: any, message: string, ...args: any[]): void { + console.log(`[WARN] ${message}`, ...args); + } + + error(ctx: any, message: string, ...args: any[]): void { + console.error(`[ERROR] ${message}`, ...args); + } +} + +describe('DatastreamClient', () => { + let client: DatastreamClient; + const mockLogger = new MockLogger(); + + const mockMessageHandler: MessageHandlerFunc = async (ctx: any, message: DataStreamResp) => { + console.log('Received message:', message); + }; + + const mockConnectionReadyHandler: ConnectionReadyHandlerFunc = async (ctx: any) => { + console.log('Connection ready'); + }; + + afterEach(() => { + if (client) { + client.close(); + } + }); + + test('should create client with required options', () => { + expect(() => { + client = new DatastreamClient({ + url: 'wss://datastream.example.com/datastream', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + }).not.toThrow(); + + expect(client.isConnected()).toBe(false); + expect(client.isReady()).toBe(false); + }); + + test('should throw error when URL is missing', () => { + expect(() => { + new DatastreamClient({ + url: '', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + }); + }).toThrow('URL is required'); + }); + + test('should throw error when API key is missing', () => { + expect(() => { + new DatastreamClient({ + url: 'wss://example.com', + apiKey: '', + messageHandler: mockMessageHandler, + }); + }).toThrow('ApiKey is required'); + }); + + test('should throw error when message handler is missing', () => { + expect(() => { + new DatastreamClient({ + url: 'wss://example.com', + apiKey: 'test-key', + messageHandler: undefined as any, + }); + }).toThrow('MessageHandler is required'); + }); + + test('should convert HTTP URL to WebSocket URL', () => { + client = new DatastreamClient({ + url: 'https://api.schematichq.com', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + + // The URL conversion is tested internally - we can't directly access the private url property + // But we can verify the client was created successfully + expect(client).toBeDefined(); + expect(client.isConnected()).toBe(false); + }); + + test('should convert HTTP localhost URL to WebSocket URL', () => { + client = new DatastreamClient({ + url: 'http://localhost:8080', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + + expect(client).toBeDefined(); + expect(client.isConnected()).toBe(false); + }); + + test('should handle WebSocket URL directly', () => { + client = new DatastreamClient({ + url: 'wss://datastream.example.com/datastream', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + + expect(client).toBeDefined(); + expect(client.isConnected()).toBe(false); + }); + + test('should set default options when not provided', () => { + client = new DatastreamClient({ + url: 'wss://example.com', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + }); + + // Defaults are applied internally - we verify by successful construction + expect(client).toBeDefined(); + }); + + test('should use custom options when provided', () => { + client = new DatastreamClient({ + url: 'wss://example.com', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + connectionReadyHandler: mockConnectionReadyHandler, + logger: mockLogger, + maxReconnectAttempts: 5, + minReconnectDelay: 2000, + maxReconnectDelay: 60000, + }); + + expect(client).toBeDefined(); + }); + + test('should emit events', (done) => { + client = new DatastreamClient({ + url: 'wss://example.com', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + + // Test that the client can emit events + client.on('error', (error) => { + expect(error).toBeDefined(); + done(); + }); + + // Trigger an error to test event emission + client.emit('error', new Error('Test error')); + }); + + test('should reject sendMessage when not connected', async () => { + client = new DatastreamClient({ + url: 'wss://example.com', + apiKey: 'test-key', + messageHandler: mockMessageHandler, + logger: mockLogger, + }); + + await expect(client.sendMessage({ test: 'message' })).rejects.toThrow('WebSocket connection is not available!'); + }); +}); \ No newline at end of file diff --git a/src/datastream/client.ts b/src/datastream/client.ts new file mode 100644 index 00000000..4148206e --- /dev/null +++ b/src/datastream/client.ts @@ -0,0 +1,629 @@ +// Note: This client is designed for Node.js server environments only +// The ws package is required and provides the WebSocket implementation + +import { EventEmitter } from 'events'; +import { DataStreamResp } from './types'; + +// Dynamic imports to avoid webpack issues +const createWebSocket = () => { + try { + const WebSocketClass = require('ws'); + return WebSocketClass; + } catch (e) { + throw new Error('WebSocket client requires Node.js environment with ws package installed: npm install ws'); + } +}; + +const createURL = () => { + try { + return require('url').URL; + } catch (e) { + throw new Error('URL implementation not available in this environment'); + } +}; + +/** + * WebSocket configuration constants + */ +const WRITE_WAIT = 10 * 1000; // 10 seconds in milliseconds +const PONG_WAIT = 60 * 1000; // 60 seconds +const PING_PERIOD = (PONG_WAIT * 9) / 10; +const MAX_RECONNECT_ATTEMPTS = 10; +const MIN_RECONNECT_DELAY = 1 * 1000; // 1 second +const MAX_RECONNECT_DELAY = 30 * 1000; // 30 seconds + +/** + * Logger interface for logging datastream events + */ +export interface Logger { + debug(ctx: any, message: string, ...args: any[]): void; + info(ctx: any, message: string, ...args: any[]): void; + warn(ctx: any, message: string, ...args: any[]): void; + error(ctx: any, message: string, ...args: any[]): void; +} + +/** + * MessageHandlerFunc is a function type for handling incoming datastream messages + * Expects parsed DataStreamResp messages + */ +export type MessageHandlerFunc = (ctx: any, message: DataStreamResp) => Promise; + +/** + * ConnectionReadyHandlerFunc is a function type for functions that need to be called before connection is considered ready + */ +export type ConnectionReadyHandlerFunc = (ctx: any) => Promise; + +/** + * ClientOptions contains configuration for the datastream client + */ +export interface ClientOptions { + /** HTTP API URL or WebSocket URL - HTTP URLs will be automatically converted to WebSocket URLs */ + url: string; + /** Schematic API key for authentication */ + apiKey: string; + /** Handler for incoming messages */ + messageHandler: MessageHandlerFunc; + /** Handler called when connection is ready */ + connectionReadyHandler?: ConnectionReadyHandlerFunc; + /** Logger for debug/info/error messages */ + logger?: Logger; + /** Maximum number of reconnection attempts */ + maxReconnectAttempts?: number; + /** Minimum delay between reconnection attempts */ + minReconnectDelay?: number; + /** Maximum delay between reconnection attempts */ + maxReconnectDelay?: number; +} + +/** + * convertAPIURLToWebSocketURL converts an API URL to a WebSocket datastream URL + * Examples: + * https://api.schematichq.com -> wss://datastream.schematichq.com/datastream + * https://api.staging.example.com -> wss://datastream.staging.example.com/datastream + * https://custom.example.com -> wss://custom.example.com/datastream + * http://localhost:8080 -> ws://localhost:8080/datastream + */ +function convertAPIURLToWebSocketURL(apiURL: string): any { + const URLClass = createURL(); + const parsedURL = new URLClass(apiURL); + + // Convert HTTP schemes to WebSocket schemes + switch (parsedURL.protocol) { + case 'https:': + parsedURL.protocol = 'wss:'; + break; + case 'http:': + parsedURL.protocol = 'ws:'; + break; + default: + throw new Error(`Unsupported scheme: ${parsedURL.protocol} (must be http: or https:)`); + } + + // Replace 'api' subdomain with 'datastream' if present + if (parsedURL.hostname) { + const hostParts = parsedURL.hostname.split('.'); + if (hostParts.length > 1 && hostParts[0] === 'api') { + hostParts[0] = 'datastream'; + parsedURL.hostname = hostParts.join('.'); + } + } + + // Add datastream path + parsedURL.pathname = '/datastream'; + + return parsedURL; +} + +/** + * Client represents a Schematic datastream websocket client with automatic reconnection + */ +export class Client extends EventEmitter { + // Configuration + private readonly url: any; + private readonly headers: Record; + private readonly logger?: Logger; + private readonly messageHandler: MessageHandlerFunc; + private readonly connectionReadyHandler?: ConnectionReadyHandlerFunc; + private readonly maxReconnectAttempts: number; + private readonly minReconnectDelay: number; + private readonly maxReconnectDelay: number; + + // Connection state + private ws?: any; + private connected: boolean = false; + private ready: boolean = false; + + // Control state + private shouldReconnect: boolean = true; + private reconnectAttempts: number = 0; + private pingInterval?: NodeJS.Timeout; + private pongTimeout?: NodeJS.Timeout; + private reconnectTimeout?: NodeJS.Timeout; + + // Context + private ctx: any = {}; + + constructor(options: ClientOptions) { + super(); + + if (!options.url) { + throw new Error('URL is required'); + } + + if (!options.apiKey) { + throw new Error('ApiKey is required'); + } + + if (!options.messageHandler) { + throw new Error('MessageHandler is required'); + } + + // Auto-detect if this is an HTTP/HTTPS URL that needs conversion to WebSocket + if (options.url.startsWith('http://') || options.url.startsWith('https://')) { + this.url = convertAPIURLToWebSocketURL(options.url); + } else { + const URLClass = createURL(); + this.url = new URLClass(options.url); + } + + // Create headers with API key + this.headers = { + 'X-Schematic-Api-Key': options.apiKey, + }; + + this.logger = options.logger; + this.messageHandler = options.messageHandler; + this.connectionReadyHandler = options.connectionReadyHandler; + + // Set defaults + this.maxReconnectAttempts = options.maxReconnectAttempts ?? MAX_RECONNECT_ATTEMPTS; + this.minReconnectDelay = options.minReconnectDelay ?? MIN_RECONNECT_DELAY; + this.maxReconnectDelay = options.maxReconnectDelay ?? MAX_RECONNECT_DELAY; + } + + /** + * Start begins the WebSocket connection and message handling + */ + public start(): void { + this.shouldReconnect = true; + this.reconnectAttempts = 0; + this.connectAndRead(); + } + + /** + * IsConnected returns whether the WebSocket is currently connected + */ + public isConnected(): boolean { + return this.connected; + } + + /** + * IsReady returns whether the datastream client is ready (connected + initialized) + */ + public isReady(): boolean { + return this.ready && this.connected; + } + + /** + * SendMessage sends a message through the WebSocket connection + */ + public async sendMessage(message: any): Promise { + if (!this.isConnected() || !this.ws) { + throw new Error('WebSocket connection is not available!'); + } + + return new Promise((resolve, reject) => { + if (!this.ws) { + reject(new Error('WebSocket connection is not available!')); + return; + } + + const timeout = setTimeout(() => { + reject(new Error('Write timeout')); + }, WRITE_WAIT); + + try { + this.ws.send(JSON.stringify(message), (err: Error | undefined) => { + clearTimeout(timeout); + if (err) { + reject(err); + } else { + resolve(); + } + }); + } catch (err) { + clearTimeout(timeout); + reject(err); + } + }); + } + + /** + * Close gracefully closes the WebSocket connection + */ + public close(): void { + this.log('info', 'Closing WebSocket client'); + + this.shouldReconnect = false; + this.setReady(false); + this.setConnected(false); + + // Clear all timeouts + if (this.pingInterval) { + clearInterval(this.pingInterval); + this.pingInterval = undefined; + } + if (this.pongTimeout) { + clearTimeout(this.pongTimeout); + this.pongTimeout = undefined; + } + if (this.reconnectTimeout) { + clearTimeout(this.reconnectTimeout); + this.reconnectTimeout = undefined; + } + + // Close WebSocket connection + if (this.ws) { + this.ws.close(); + this.ws = undefined; + } + + this.log('info', 'WebSocket client closed'); + } + + /** + * connectAndRead handles the main connection lifecycle + */ + private async connectAndRead(): Promise { + try { + while (this.shouldReconnect) { + try { + const ws = await this.connect(); + this.log('info', 'Connected to WebSocket'); + + this.reconnectAttempts = 0; + this.ws = ws; + this.setConnected(true); + + // Set up message handlers + this.setupWebSocketHandlers(ws); + + // Call connection ready handler if provided + if (this.connectionReadyHandler) { + this.log('debug', 'Calling connection ready handler'); + try { + await this.connectionReadyHandler(this.ctx); + this.log('debug', 'Connection ready handler completed successfully'); + } catch (err) { + this.log('error', `Connection ready handler failed: ${err}`); + this.setConnected(false); + this.setReady(false); + ws.close(); + continue; + } + } + + // Mark as ready only after successful initialization + this.setReady(true); + this.log('info', 'Datastream client is ready'); + + // Start ping/pong mechanism + this.startPingPong(); + + // Wait for connection to close or error + await new Promise((resolve) => { + const onClose = () => { + this.log('info', 'WebSocket connection closed'); + this.cleanup(); + resolve(); + }; + + const onError = (error: Error) => { + this.log('error', `WebSocket error: ${error.message}`); + this.emit('error', error); + this.cleanup(); + resolve(); + }; + + ws.on('close', onClose); + ws.on('error', onError); + }); + + if (!this.shouldReconnect) { + break; + } + + this.log('info', 'Reconnecting to WebSocket...'); + + } catch (err) { + this.log('error', `Failed to connect to WebSocket: ${err}`); + this.reconnectAttempts++; + this.setConnected(false); + this.setReady(false); + + if (this.reconnectAttempts >= this.maxReconnectAttempts) { + this.log('error', 'Max reconnection attempts reached'); + this.emit('error', new Error('Max reconnection attempts reached')); + break; + } + + const delay = this.calculateBackoffDelay(this.reconnectAttempts); + this.log('info', `Retrying WebSocket connection in ${delay}ms (attempt ${this.reconnectAttempts}/${this.maxReconnectAttempts})`); + + await new Promise(resolve => { + this.reconnectTimeout = setTimeout(resolve, delay); + }); + } + } + } catch (err) { + this.log('error', `Fatal error in connectAndRead: ${err}`); + this.emit('error', err); + } + } + + /** + * connect establishes the WebSocket connection + */ + private connect(): Promise { + return new Promise((resolve, reject) => { + this.log('debug', `Attempting to dial WebSocket URL: ${this.url.toString()}`); + + const WebSocketClass = createWebSocket(); + const ws = new WebSocketClass(this.url.toString(), { + headers: this.headers, + handshakeTimeout: 30000, // 30 seconds + }); + + const timeout = setTimeout(() => { + ws.close(); + reject(new Error('Connection timeout')); + }, 30000); + + ws.on('open', () => { + clearTimeout(timeout); + this.log('info', `Successfully established WebSocket connection to ${this.url.toString()}`); + resolve(ws); + }); + + ws.on('error', (error: Error) => { + clearTimeout(timeout); + this.log('error', `Failed to dial WebSocket: ${error.message}`); + reject(error); + }); + }); + } + + /** + * setupWebSocketHandlers sets up message and error handlers for the WebSocket + */ + private setupWebSocketHandlers(ws: any): void { + ws.on('message', (data: any) => { + this.handleMessage(data); + }); + + ws.on('pong', () => { + this.handlePong(); + }); + + ws.on('close', (code: number, reason: Buffer) => { + this.log('debug', `WebSocket closed with code ${code}: ${reason.toString()}`); + this.handleClose(code); + }); + + ws.on('error', (error: Error) => { + this.log('error', `WebSocket error: ${error.message}`); + this.handleError(error); + }); + } + + /** + * handleMessage processes incoming WebSocket messages + */ + private async handleMessage(data: any): Promise { + try { + this.log('debug', 'Waiting for WebSocket message...'); + + let messageStr: string; + if (Buffer.isBuffer(data)) { + messageStr = data.toString(); + } else if (Array.isArray(data)) { + messageStr = Buffer.concat(data).toString(); + } else { + messageStr = data.toString(); + } + + // Parse the datastream message + let message: DataStreamResp; + try { + message = JSON.parse(messageStr); + } catch (err) { + this.log('error', `Failed to parse datastream message: ${err}, raw data: ${messageStr}`); + this.emit('error', new Error(`Failed to parse datastream message: ${err}`)); + return; + } + + this.log('debug', `Parsed message - EntityType: ${message.entity_type}, MessageType: ${message.message_type}, EntityID: ${message.entity_id}, DataLength: ${JSON.stringify(message.data).length}`); + + // Handle the parsed message using the provided handler + this.log('debug', 'Calling message handler...'); + try { + await this.messageHandler(this.ctx, message); + this.log('debug', 'Message handler completed successfully'); + } catch (err) { + this.log('error', `Message handler error: ${err}`); + this.emit('error', new Error(`Message handler error: ${err}`)); + } + } catch (err) { + this.log('error', `Error in handleMessage: ${err}`); + this.emit('error', err); + } + } + + /** + * handleClose processes WebSocket close events + */ + private handleClose(code: number): void { + this.log('debug', `Processing WebSocket close with code: ${code}`); + this.setConnected(false); + this.setReady(false); + this.cleanup(); + + // Normal closure codes that shouldn't trigger reconnection + if (code === 1000 || code === 1001) { + this.log('debug', `Normal WebSocket close detected: ${code}`); + return; + } + + // Trigger reconnection for other close codes + this.log('debug', `Unexpected WebSocket close: ${code}, will attempt reconnection`); + } + + /** + * handleError processes WebSocket error events + */ + private handleError(error: Error): void { + this.log('debug', `Processing WebSocket error: ${error.message}`); + this.setConnected(false); + this.setReady(false); + this.cleanup(); + } + + /** + * startPingPong initiates the ping/pong keepalive mechanism + */ + private startPingPong(): void { + this.pingInterval = setInterval(() => { + this.sendPing(); + }, PING_PERIOD); + } + + /** + * sendPing sends a ping message to keep the connection alive + */ + private sendPing(): void { + if (!this.ws) { + this.log('error', 'No connection available for ping'); + return; + } + + this.log('debug', 'Sending ping'); + + // Set pong timeout + this.pongTimeout = setTimeout(() => { + this.log('error', 'Pong timeout - connection may be dead'); + this.setConnected(false); + if (this.ws) { + this.ws.close(); + } + }, PONG_WAIT); + + try { + this.ws.ping(); + } catch (err) { + this.log('error', `Failed to send ping: ${err}`); + this.setConnected(false); + } + } + + /** + * handlePong handles pong responses from the server + */ + private handlePong(): void { + this.log('debug', 'Received pong'); + if (this.pongTimeout) { + clearTimeout(this.pongTimeout); + this.pongTimeout = undefined; + } + } + + /** + * calculateBackoffDelay calculates exponential backoff delay with jitter + */ + private calculateBackoffDelay(attempt: number): number { + // Add jitter to prevent synchronized reconnection attempts + const jitter = Math.floor(Math.random() * this.minReconnectDelay); + + // Exponential backoff with a cap + const delay = Math.pow(2, attempt - 1) * this.minReconnectDelay + jitter; + return Math.min(delay, this.maxReconnectDelay + jitter); + } + + /** + * setConnected updates the connection state + */ + private setConnected(connected: boolean): void { + const wasConnected = this.connected; + this.connected = connected; + + // If disconnected, also set ready to false + if (!connected) { + this.ready = false; + } + + // Emit connection state change events + if (wasConnected !== connected) { + if (connected) { + this.emit('connected'); + } else { + this.emit('disconnected'); + } + } + } + + /** + * setReady updates the ready state + */ + private setReady(ready: boolean): void { + const wasReady = this.ready; + this.ready = ready; + + // Emit ready state change events + if (wasReady !== ready) { + if (ready) { + this.emit('ready'); + } else { + this.emit('not-ready'); + } + } + } + + /** + * cleanup clears timeouts and intervals + */ + private cleanup(): void { + if (this.pingInterval) { + clearInterval(this.pingInterval); + this.pingInterval = undefined; + } + if (this.pongTimeout) { + clearTimeout(this.pongTimeout); + this.pongTimeout = undefined; + } + } + + /** + * log helper function that safely logs messages + */ + private log(level: 'debug' | 'info' | 'warn' | 'error', msg: string): void { + if (!this.logger) { + return; + } + + const ctx = this.ctx || {}; + + switch (level) { + case 'debug': + this.logger.debug(ctx, msg); + break; + case 'info': + this.logger.info(ctx, msg); + break; + case 'warn': + this.logger.warn(ctx, msg); + break; + case 'error': + this.logger.error(ctx, msg); + break; + } + } +} \ No newline at end of file diff --git a/src/datastream/index.ts b/src/datastream/index.ts new file mode 100644 index 00000000..ac3f8272 --- /dev/null +++ b/src/datastream/index.ts @@ -0,0 +1,8 @@ +export { Client as DatastreamClient } from './client'; +export type { + Logger, + MessageHandlerFunc, + ConnectionReadyHandlerFunc, + ClientOptions, +} from './client'; +export * from './types'; \ No newline at end of file diff --git a/src/datastream/types.ts b/src/datastream/types.ts new file mode 100644 index 00000000..12e050db --- /dev/null +++ b/src/datastream/types.ts @@ -0,0 +1,56 @@ +/** + * Datastream message types for WebSocket communication + */ +export type Action = "start" | "stop"; + +export enum EntityType { + Company = "rulesengine.Company", + Companies = "rulesengine.Companies", + Flag = "rulesengine.Flag", + Flags = "rulesengine.Flags", + User = "rulesengine.User", + Users = "rulesengine.Users", +} + +export enum MessageType { + Full = "full", + Partial = "partial", + Delete = "delete", + Error = "error", + Unknown = "unknown", +} + +/** + * DataStreamReq represents a request message to the datastream + */ +export interface DataStreamReq { + action: Action; + entity_type: EntityType; + keys?: Record; +} + +/** + * DataStreamBaseReq wraps the request data + */ +export interface DataStreamBaseReq { + data: DataStreamReq; +} + +/** + * DataStreamResp represents a response message from the datastream + */ +export interface DataStreamResp { + data: any; // JSON raw message equivalent + entity_id?: string; + entity_type: string; + message_type: MessageType; +} + +/** + * DataStreamError represents an error message from the datastream + */ +export interface DataStreamError { + error: string; + keys?: Record; + entity_type?: EntityType; +} \ No newline at end of file diff --git a/src/index.ts b/src/index.ts index f98f4df6..26a9cd8b 100644 --- a/src/index.ts +++ b/src/index.ts @@ -13,3 +13,17 @@ export { WEBHOOK_SIGNATURE_HEADER, WEBHOOK_TIMESTAMP_HEADER } from "./webhooks"; +export { + DatastreamClient, + Logger, + MessageHandlerFunc, + ConnectionReadyHandlerFunc, + ClientOptions, + Action, + EntityType, + MessageType, + DataStreamReq, + DataStreamBaseReq, + DataStreamResp, + DataStreamError, +} from "./datastream"; diff --git a/yarn.lock b/yarn.lock index 8dd5331d..0285d9bd 100644 --- a/yarn.lock +++ b/yarn.lock @@ -4,7 +4,7 @@ "@babel/code-frame@^7.0.0", "@babel/code-frame@^7.12.13", "@babel/code-frame@^7.27.1": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.27.1.tgz#200f715e66d52a23b221a9435534a91cc13ad5be" + resolved "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.27.1.tgz" integrity sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg== dependencies: "@babel/helper-validator-identifier" "^7.27.1" @@ -50,7 +50,7 @@ "@babel/helper-compilation-targets@^7.27.2": version "7.27.2" - resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz#46a0f6efab808d51d29ce96858dd10ce8732733d" + resolved "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz" integrity sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ== dependencies: "@babel/compat-data" "^7.27.2" @@ -61,12 +61,12 @@ "@babel/helper-globals@^7.28.0": version "7.28.0" - resolved "https://registry.yarnpkg.com/@babel/helper-globals/-/helper-globals-7.28.0.tgz#b9430df2aa4e17bc28665eadeae8aa1d985e6674" + resolved "https://registry.npmjs.org/@babel/helper-globals/-/helper-globals-7.28.0.tgz" integrity sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw== "@babel/helper-module-imports@^7.27.1": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz#7ef769a323e2655e126673bb6d2d6913bbead204" + resolved "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz" integrity sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w== dependencies: "@babel/traverse" "^7.27.1" @@ -83,22 +83,27 @@ "@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.27.1", "@babel/helper-plugin-utils@^7.8.0": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz#ddb2f876534ff8013e6c2b299bf4d39b3c51d44c" + resolved "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz" integrity sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw== "@babel/helper-string-parser@^7.27.1": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz#54da796097ab19ce67ed9f88b47bb2ec49367687" + resolved "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz" integrity sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA== -"@babel/helper-validator-identifier@^7.27.1", "@babel/helper-validator-identifier@^7.28.5": +"@babel/helper-validator-identifier@^7.27.1": + version "7.27.1" + resolved "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz" + integrity sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow== + +"@babel/helper-validator-identifier@^7.28.5": version "7.28.5" resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.28.5.tgz#010b6938fab7cb7df74aa2bbc06aa503b8fe5fb4" integrity sha512-qSs4ifwzKJSV39ucNjsvc6WVHs6b7S03sOh2OcHF9UHfVPqWWALUsNUVzhSBiItjRZoLHx7nIarVjqKVusUZ1Q== "@babel/helper-validator-option@^7.27.1": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz#fa52f5b1e7db1ab049445b421c4471303897702f" + resolved "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz" integrity sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg== "@babel/helpers@^7.28.4": @@ -118,126 +123,126 @@ "@babel/plugin-syntax-async-generators@^7.8.4": version "7.8.4" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz#a983fb1aeb2ec3f6ed042a210f640e90e786fe0d" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz" integrity sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-bigint@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz#4c9a6f669f5d0cdf1b90a1671e9a146be5300cea" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz" integrity sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-class-properties@^7.12.13": version "7.12.13" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz#b5c987274c4a3a82b89714796931a6b53544ae10" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz" integrity sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA== dependencies: "@babel/helper-plugin-utils" "^7.12.13" "@babel/plugin-syntax-class-static-block@^7.14.5": version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz#195df89b146b4b78b3bf897fd7a257c84659d406" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz" integrity sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw== dependencies: "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-import-attributes@^7.24.7": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz#34c017d54496f9b11b61474e7ea3dfd5563ffe07" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz" integrity sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww== dependencies: "@babel/helper-plugin-utils" "^7.27.1" "@babel/plugin-syntax-import-meta@^7.10.4": version "7.10.4" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz#ee601348c370fa334d2207be158777496521fd51" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz" integrity sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g== dependencies: "@babel/helper-plugin-utils" "^7.10.4" "@babel/plugin-syntax-json-strings@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz#01ca21b668cd8218c9e640cb6dd88c5412b2c96a" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz" integrity sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-jsx@^7.7.2": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz#2f9beb5eff30fa507c5532d107daac7b888fa34c" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz" integrity sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w== dependencies: "@babel/helper-plugin-utils" "^7.27.1" "@babel/plugin-syntax-logical-assignment-operators@^7.10.4": version "7.10.4" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz#ca91ef46303530448b906652bac2e9fe9941f699" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz" integrity sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig== dependencies: "@babel/helper-plugin-utils" "^7.10.4" "@babel/plugin-syntax-nullish-coalescing-operator@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz#167ed70368886081f74b5c36c65a88c03b66d1a9" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz" integrity sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-numeric-separator@^7.10.4": version "7.10.4" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz#b9b070b3e33570cd9fd07ba7fa91c0dd37b9af97" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz" integrity sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug== dependencies: "@babel/helper-plugin-utils" "^7.10.4" "@babel/plugin-syntax-object-rest-spread@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz#60e225edcbd98a640332a2e72dd3e66f1af55871" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz" integrity sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-optional-catch-binding@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz#6111a265bcfb020eb9efd0fdfd7d26402b9ed6c1" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz" integrity sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-optional-chaining@^7.8.3": version "7.8.3" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz#4f69c2ab95167e0180cd5336613f8c5788f7d48a" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz" integrity sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg== dependencies: "@babel/helper-plugin-utils" "^7.8.0" "@babel/plugin-syntax-private-property-in-object@^7.14.5": version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz#0dc6671ec0ea22b6e94a1114f857970cd39de1ad" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz" integrity sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg== dependencies: "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-top-level-await@^7.14.5": version "7.14.5" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz#c1cfdadc35a646240001f06138247b741c34d94c" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz" integrity sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw== dependencies: "@babel/helper-plugin-utils" "^7.14.5" "@babel/plugin-syntax-typescript@^7.7.2": version "7.27.1" - resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz#5147d29066a793450f220c63fa3a9431b7e6dd18" + resolved "https://registry.npmjs.org/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz" integrity sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ== dependencies: "@babel/helper-plugin-utils" "^7.27.1" "@babel/template@^7.27.2", "@babel/template@^7.3.3": version "7.27.2" - resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.27.2.tgz#fa78ceed3c4e7b63ebf6cb39e5852fca45f6809d" + resolved "https://registry.npmjs.org/@babel/template/-/template-7.27.2.tgz" integrity sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw== dependencies: "@babel/code-frame" "^7.27.1" @@ -267,7 +272,7 @@ "@bcoe/v8-coverage@^0.2.3": version "0.2.3" - resolved "https://registry.yarnpkg.com/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz#75a2e8b51cb758a7553d6804a5932d7aace75c39" + resolved "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz" integrity sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw== "@biomejs/biome@2.3.1": @@ -507,7 +512,7 @@ "@istanbuljs/load-nyc-config@^1.0.0": version "1.1.0" - resolved "https://registry.yarnpkg.com/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz#fd3db1d59ecf7cf121e80650bb86712f9b55eced" + resolved "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz" integrity sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ== dependencies: camelcase "^5.3.1" @@ -518,12 +523,12 @@ "@istanbuljs/schema@^0.1.2", "@istanbuljs/schema@^0.1.3": version "0.1.3" - resolved "https://registry.yarnpkg.com/@istanbuljs/schema/-/schema-0.1.3.tgz#e45e384e4b8ec16bce2fd903af78450f6bf7ec98" + resolved "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz" integrity sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA== "@jest/console@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/console/-/console-29.7.0.tgz#cd4822dbdb84529265c5a2bdb529a3c9cc950ffc" + resolved "https://registry.npmjs.org/@jest/console/-/console-29.7.0.tgz" integrity sha512-5Ni4CU7XHQi32IJ398EEP4RrB8eV09sXP2ROqD4bksHrnTree52PsxvX8tpL8LvTZ3pFzXyPbNQReSN41CAhOg== dependencies: "@jest/types" "^29.6.3" @@ -535,7 +540,7 @@ "@jest/core@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/core/-/core-29.7.0.tgz#b6cccc239f30ff36609658c5a5e2291757ce448f" + resolved "https://registry.npmjs.org/@jest/core/-/core-29.7.0.tgz" integrity sha512-n7aeXWKMnGtDA48y8TLWJPJmLmmZ642Ceo78cYWEpiD7FzDgmNDV/GCVRorPABdXLJZ/9wzzgZAlHjXjxDHGsg== dependencies: "@jest/console" "^29.7.0" @@ -569,7 +574,7 @@ "@jest/environment@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/environment/-/environment-29.7.0.tgz#24d61f54ff1f786f3cd4073b4b94416383baf2a7" + resolved "https://registry.npmjs.org/@jest/environment/-/environment-29.7.0.tgz" integrity sha512-aQIfHDq33ExsN4jP1NWGXhxgQ/wixs60gDiKO+XVMd8Mn0NWPWgc34ZQDTb2jKaUWQ7MuwoitXAsN2XVXNMpAw== dependencies: "@jest/fake-timers" "^29.7.0" @@ -579,14 +584,14 @@ "@jest/expect-utils@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/expect-utils/-/expect-utils-29.7.0.tgz#023efe5d26a8a70f21677d0a1afc0f0a44e3a1c6" + resolved "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-29.7.0.tgz" integrity sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA== dependencies: jest-get-type "^29.6.3" "@jest/expect@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/expect/-/expect-29.7.0.tgz#76a3edb0cb753b70dfbfe23283510d3d45432bf2" + resolved "https://registry.npmjs.org/@jest/expect/-/expect-29.7.0.tgz" integrity sha512-8uMeAMycttpva3P1lBHB8VciS9V0XAr3GymPpipdyQXbBcuhkLQOSe8E/p92RyAdToS6ZD1tFkX+CkhoECE0dQ== dependencies: expect "^29.7.0" @@ -594,7 +599,7 @@ "@jest/fake-timers@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/fake-timers/-/fake-timers-29.7.0.tgz#fd91bf1fffb16d7d0d24a426ab1a47a49881a565" + resolved "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.7.0.tgz" integrity sha512-q4DH1Ha4TTFPdxLsqDXK1d3+ioSL7yL5oCMJZgDYm6i+6CygW5E5xVr/D1HdsGxjt1ZWSfUAs9OxSB/BNelWrQ== dependencies: "@jest/types" "^29.6.3" @@ -606,7 +611,7 @@ "@jest/globals@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/globals/-/globals-29.7.0.tgz#8d9290f9ec47ff772607fa864ca1d5a2efae1d4d" + resolved "https://registry.npmjs.org/@jest/globals/-/globals-29.7.0.tgz" integrity sha512-mpiz3dutLbkW2MNFubUGUEVLkTGiqW6yLVTA+JbP6fI6J5iL9Y0Nlg8k95pcF8ctKwCS7WVxteBs29hhfAotzQ== dependencies: "@jest/environment" "^29.7.0" @@ -616,7 +621,7 @@ "@jest/reporters@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/reporters/-/reporters-29.7.0.tgz#04b262ecb3b8faa83b0b3d321623972393e8f4c7" + resolved "https://registry.npmjs.org/@jest/reporters/-/reporters-29.7.0.tgz" integrity sha512-DApq0KJbJOEzAFYjHADNNxAE3KbhxQB1y5Kplb5Waqw6zVbuWatSnMjE5gs8FUgEPmNsnZA3NCWl9NG0ia04Pg== dependencies: "@bcoe/v8-coverage" "^0.2.3" @@ -646,14 +651,14 @@ "@jest/schemas@^29.6.3": version "29.6.3" - resolved "https://registry.yarnpkg.com/@jest/schemas/-/schemas-29.6.3.tgz#430b5ce8a4e0044a7e3819663305a7b3091c8e03" + resolved "https://registry.npmjs.org/@jest/schemas/-/schemas-29.6.3.tgz" integrity sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA== dependencies: "@sinclair/typebox" "^0.27.8" "@jest/source-map@^29.6.3": version "29.6.3" - resolved "https://registry.yarnpkg.com/@jest/source-map/-/source-map-29.6.3.tgz#d90ba772095cf37a34a5eb9413f1b562a08554c4" + resolved "https://registry.npmjs.org/@jest/source-map/-/source-map-29.6.3.tgz" integrity sha512-MHjT95QuipcPrpLM+8JMSzFx6eHp5Bm+4XeFDJlwsvVBjmKNiIAvasGK2fxz2WbGRlnvqehFbh07MMa7n3YJnw== dependencies: "@jridgewell/trace-mapping" "^0.3.18" @@ -662,7 +667,7 @@ "@jest/test-result@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/test-result/-/test-result-29.7.0.tgz#8db9a80aa1a097bb2262572686734baed9b1657c" + resolved "https://registry.npmjs.org/@jest/test-result/-/test-result-29.7.0.tgz" integrity sha512-Fdx+tv6x1zlkJPcWXmMDAG2HBnaR9XPSd5aDWQVsfrZmLVT3lU1cwyxLgRmXR9yrq4NBoEm9BMsfgFzTQAbJYA== dependencies: "@jest/console" "^29.7.0" @@ -672,7 +677,7 @@ "@jest/test-sequencer@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz#6cef977ce1d39834a3aea887a1726628a6f072ce" + resolved "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz" integrity sha512-GQwJ5WZVrKnOJuiYiAF52UNUJXgTZx1NHjFSEB0qEMmSZKAkdMoIzw/Cj6x6NF4AvV23AUqDpFzQkN/eYCYTxw== dependencies: "@jest/test-result" "^29.7.0" @@ -682,7 +687,7 @@ "@jest/transform@^29.7.0": version "29.7.0" - resolved "https://registry.yarnpkg.com/@jest/transform/-/transform-29.7.0.tgz#df2dd9c346c7d7768b8a06639994640c642e284c" + resolved "https://registry.npmjs.org/@jest/transform/-/transform-29.7.0.tgz" integrity sha512-ok/BTPFzFKVMwO5eOHRrvnBVHdRy9IrsrW1GpMaQ9MCnilNLXQKmAX8s1YXDFaai9xJpac2ySzV0YeRRECr2Vw== dependencies: "@babel/core" "^7.11.6" @@ -703,7 +708,7 @@ "@jest/types@^29.6.3": version "29.6.3" - resolved "https://registry.yarnpkg.com/@jest/types/-/types-29.6.3.tgz#1131f8cf634e7e84c5e77bab12f052af585fba59" + resolved "https://registry.npmjs.org/@jest/types/-/types-29.6.3.tgz" integrity sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw== dependencies: "@jest/schemas" "^29.6.3" @@ -731,7 +736,7 @@ "@jridgewell/resolve-uri@^3.1.0": version "3.1.2" - resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz#7a0ee601f60f99a20c7c7c5ff0c80388c1189bd6" + resolved "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz" integrity sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw== "@jridgewell/source-map@^0.3.3": @@ -787,31 +792,31 @@ "@sinclair/typebox@^0.27.8": version "0.27.8" - resolved "https://registry.yarnpkg.com/@sinclair/typebox/-/typebox-0.27.8.tgz#6667fac16c436b5434a387a34dedb013198f6e6e" + resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.27.8.tgz" integrity sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA== "@sinonjs/commons@^3.0.0": version "3.0.1" - resolved "https://registry.yarnpkg.com/@sinonjs/commons/-/commons-3.0.1.tgz#1029357e44ca901a615585f6d27738dbc89084cd" + resolved "https://registry.npmjs.org/@sinonjs/commons/-/commons-3.0.1.tgz" integrity sha512-K3mCHKQ9sVh8o1C9cxkwxaOmXoAMlDxC1mYyHrjqOWEcBjYr76t96zL2zlj5dUGZ3HSw240X1qgH3Mjf1yJWpQ== dependencies: type-detect "4.0.8" "@sinonjs/fake-timers@^10.0.2": version "10.3.0" - resolved "https://registry.yarnpkg.com/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz#55fdff1ecab9f354019129daf4df0dd4d923ea66" + resolved "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz" integrity sha512-V4BG07kuYSUkTCSBHG8G8TNhM+F19jXFWnQtzj+we8DrkpSBCee9Z3Ms8yiGer/dlmhe35/Xdgyo3/0rQKg7YA== dependencies: "@sinonjs/commons" "^3.0.0" "@tootallnate/once@2": version "2.0.0" - resolved "https://registry.yarnpkg.com/@tootallnate/once/-/once-2.0.0.tgz#f544a148d3ab35801c1f633a7441fd87c2e484bf" + resolved "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz" integrity sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A== "@types/babel__core@^7.1.14": version "7.20.5" - resolved "https://registry.yarnpkg.com/@types/babel__core/-/babel__core-7.20.5.tgz#3df15f27ba85319caa07ba08d0721889bb39c017" + resolved "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz" integrity sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA== dependencies: "@babel/parser" "^7.20.7" @@ -822,14 +827,14 @@ "@types/babel__generator@*": version "7.27.0" - resolved "https://registry.yarnpkg.com/@types/babel__generator/-/babel__generator-7.27.0.tgz#b5819294c51179957afaec341442f9341e4108a9" + resolved "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.27.0.tgz" integrity sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg== dependencies: "@babel/types" "^7.0.0" "@types/babel__template@*": version "7.4.4" - resolved "https://registry.yarnpkg.com/@types/babel__template/-/babel__template-7.4.4.tgz#5672513701c1b2199bc6dad636a9d7491586766f" + resolved "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz" integrity sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A== dependencies: "@babel/parser" "^7.1.0" @@ -849,7 +854,7 @@ "@types/eslint-scope@^3.7.7": version "3.7.7" - resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.7.tgz#3108bd5f18b0cdb277c867b3dd449c9ed7079ac5" + resolved "https://registry.npmjs.org/@types/eslint-scope/-/eslint-scope-3.7.7.tgz" integrity sha512-MzMFlSLBqNF2gcHWO0G1vP/YQyfvrxZ0bF+u7mzUdZ1/xK4A4sru+nraZz5i3iEIk1l1uyicaDVTB4QbbEkAYg== dependencies: "@types/eslint" "*" @@ -857,7 +862,7 @@ "@types/eslint@*": version "9.6.1" - resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-9.6.1.tgz#d5795ad732ce81715f27f75da913004a56751584" + resolved "https://registry.npmjs.org/@types/eslint/-/eslint-9.6.1.tgz" integrity sha512-FXx2pKgId/WyYo2jXw63kk7/+TY7u7AziEJxJAnSFzHlqTAS3Ync6SvgYAN/k4/PQpnnVuzoMuVnByKK2qp0ag== dependencies: "@types/estree" "*" @@ -865,38 +870,38 @@ "@types/estree@*", "@types/estree@^1.0.8": version "1.0.8" - resolved "https://registry.yarnpkg.com/@types/estree/-/estree-1.0.8.tgz#958b91c991b1867ced318bedea0e215ee050726e" + resolved "https://registry.npmjs.org/@types/estree/-/estree-1.0.8.tgz" integrity sha512-dWHzHa2WqEXI/O1E9OjrocMTKJl2mSrEolh1Iomrv6U+JuNwaHXsXx9bLu5gG7BUWFIN0skIQJQ/L1rIex4X6w== "@types/graceful-fs@^4.1.3": version "4.1.9" - resolved "https://registry.yarnpkg.com/@types/graceful-fs/-/graceful-fs-4.1.9.tgz#2a06bc0f68a20ab37b3e36aa238be6abdf49e8b4" + resolved "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.9.tgz" integrity sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ== dependencies: "@types/node" "*" "@types/istanbul-lib-coverage@*", "@types/istanbul-lib-coverage@^2.0.0", "@types/istanbul-lib-coverage@^2.0.1": version "2.0.6" - resolved "https://registry.yarnpkg.com/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz#7739c232a1fee9b4d3ce8985f314c0c6d33549d7" + resolved "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz" integrity sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w== "@types/istanbul-lib-report@*": version "3.0.3" - resolved "https://registry.yarnpkg.com/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz#53047614ae72e19fc0401d872de3ae2b4ce350bf" + resolved "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz" integrity sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA== dependencies: "@types/istanbul-lib-coverage" "*" "@types/istanbul-reports@^3.0.0": version "3.0.4" - resolved "https://registry.yarnpkg.com/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz#0f03e3d2f670fbdac586e34b433783070cc16f54" + resolved "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz" integrity sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ== dependencies: "@types/istanbul-lib-report" "*" "@types/jest@^29.5.14": version "29.5.14" - resolved "https://registry.yarnpkg.com/@types/jest/-/jest-29.5.14.tgz#2b910912fa1d6856cadcd0c1f95af7df1d6049e5" + resolved "https://registry.npmjs.org/@types/jest/-/jest-29.5.14.tgz" integrity sha512-ZN+4sdnLUbo8EVvVc2ao0GFW6oVrQRPn4K2lglySj7APvSrgzxHiNNK99us4WDMi57xxA2yggblIAMNhXOotLQ== dependencies: expect "^29.0.0" @@ -904,7 +909,7 @@ "@types/jsdom@^20.0.0": version "20.0.1" - resolved "https://registry.yarnpkg.com/@types/jsdom/-/jsdom-20.0.1.tgz#07c14bc19bd2f918c1929541cdaacae894744808" + resolved "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.1.tgz" integrity sha512-d0r18sZPmMQr1eG35u12FZfhIXNrnsPU/g5wvRKCUf/tOGilKKwYMYGqh33BNR6ba+2gkHw1EUiHoN3mn7E5IQ== dependencies: "@types/node" "*" @@ -913,7 +918,7 @@ "@types/json-schema@*", "@types/json-schema@^7.0.15", "@types/json-schema@^7.0.9": version "7.0.15" - resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.15.tgz#596a1747233694d50f6ad8a7869fcb6f56cf5841" + resolved "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz" integrity sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA== "@types/node-fetch@^2.6.12": @@ -939,15 +944,15 @@ undici-types "~5.26.4" "@types/readable-stream@^4.0.18": - version "4.0.23" - resolved "https://registry.yarnpkg.com/@types/readable-stream/-/readable-stream-4.0.23.tgz#fcd0f7472f45ceb43154f08f0083ccd1c76e53ce" - integrity sha512-wwXrtQvbMHxCbBgjHaMGEmImFTQxxpfMOR/ZoQnXxB1woqkUbdLGFDgauo00Py9IudiaqSeiBiulSV9i6XIPig== + version "4.0.21" + resolved "https://registry.npmjs.org/@types/readable-stream/-/readable-stream-4.0.21.tgz" + integrity sha512-19eKVv9tugr03IgfXlA9UVUVRbW6IuqRO5B92Dl4a6pT7K8uaGrNS0GkxiZD0BOk6PLuXl5FhWl//eX/pzYdTQ== dependencies: "@types/node" "*" "@types/stack-utils@^2.0.0": version "2.0.3" - resolved "https://registry.yarnpkg.com/@types/stack-utils/-/stack-utils-2.0.3.tgz#6209321eb2c1712a7e7466422b8cb1fc0d9dd5d8" + resolved "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.3.tgz" integrity sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw== "@types/statuses@^2.0.4": @@ -957,24 +962,24 @@ "@types/tough-cookie@*": version "4.0.5" - resolved "https://registry.yarnpkg.com/@types/tough-cookie/-/tough-cookie-4.0.5.tgz#cb6e2a691b70cb177c6e3ae9c1d2e8b2ea8cd304" + resolved "https://registry.npmjs.org/@types/tough-cookie/-/tough-cookie-4.0.5.tgz" integrity sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA== "@types/yargs-parser@*": version "21.0.3" - resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.3.tgz#815e30b786d2e8f0dcd85fd5bcf5e1a04d008f15" + resolved "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-21.0.3.tgz" integrity sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ== "@types/yargs@^17.0.8": - version "17.0.35" - resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-17.0.35.tgz#07013e46aa4d7d7d50a49e15604c1c5340d4eb24" - integrity sha512-qUHkeCyQFxMXg79wQfTtfndEC+N9ZZg76HJftDJp+qH2tV7Gj4OJi7l+PiWwJ+pWtW8GwSmqsDj/oymhrTWXjg== + version "17.0.33" + resolved "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.33.tgz" + integrity sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA== dependencies: "@types/yargs-parser" "*" "@webassemblyjs/ast@1.14.1", "@webassemblyjs/ast@^1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/ast/-/ast-1.14.1.tgz#a9f6a07f2b03c95c8d38c4536a1fdfb521ff55b6" + resolved "https://registry.npmjs.org/@webassemblyjs/ast/-/ast-1.14.1.tgz" integrity sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ== dependencies: "@webassemblyjs/helper-numbers" "1.13.2" @@ -982,22 +987,22 @@ "@webassemblyjs/floating-point-hex-parser@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz#fcca1eeddb1cc4e7b6eed4fc7956d6813b21b9fb" + resolved "https://registry.npmjs.org/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz" integrity sha512-6oXyTOzbKxGH4steLbLNOu71Oj+C8Lg34n6CqRvqfS2O71BxY6ByfMDRhBytzknj9yGUPVJ1qIKhRlAwO1AovA== "@webassemblyjs/helper-api-error@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz#e0a16152248bc38daee76dd7e21f15c5ef3ab1e7" + resolved "https://registry.npmjs.org/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz" integrity sha512-U56GMYxy4ZQCbDZd6JuvvNV/WFildOjsaWD3Tzzvmw/mas3cXzRJPMjP83JqEsgSbyrmaGjBfDtV7KDXV9UzFQ== "@webassemblyjs/helper-buffer@1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz#822a9bc603166531f7d5df84e67b5bf99b72b96b" + resolved "https://registry.npmjs.org/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz" integrity sha512-jyH7wtcHiKssDtFPRB+iQdxlDf96m0E39yb0k5uJVhFGleZFoNw1c4aeIcVUPPbXUVJ94wwnMOAqUHyzoEPVMA== "@webassemblyjs/helper-numbers@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz#dbd932548e7119f4b8a7877fd5a8d20e63490b2d" + resolved "https://registry.npmjs.org/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz" integrity sha512-FE8aCmS5Q6eQYcV3gI35O4J789wlQA+7JrqTTpJqn5emA4U2hvwJmvFRC0HODS+3Ye6WioDklgd6scJ3+PLnEA== dependencies: "@webassemblyjs/floating-point-hex-parser" "1.13.2" @@ -1006,12 +1011,12 @@ "@webassemblyjs/helper-wasm-bytecode@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz#e556108758f448aae84c850e593ce18a0eb31e0b" + resolved "https://registry.npmjs.org/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz" integrity sha512-3QbLKy93F0EAIXLh0ogEVR6rOubA9AoZ+WRYhNbFyuB70j3dRdwH9g+qXhLAO0kiYGlg3TxDV+I4rQTr/YNXkA== "@webassemblyjs/helper-wasm-section@1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz#9629dda9c4430eab54b591053d6dc6f3ba050348" + resolved "https://registry.npmjs.org/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz" integrity sha512-ds5mXEqTJ6oxRoqjhWDU83OgzAYjwsCV8Lo/N+oRsNDmx/ZDpqalmrtgOMkHwxsG0iI//3BwWAErYRHtgn0dZw== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1021,26 +1026,26 @@ "@webassemblyjs/ieee754@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz#1c5eaace1d606ada2c7fd7045ea9356c59ee0dba" + resolved "https://registry.npmjs.org/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz" integrity sha512-4LtOzh58S/5lX4ITKxnAK2USuNEvpdVV9AlgGQb8rJDHaLeHciwG4zlGr0j/SNWlr7x3vO1lDEsuePvtcDNCkw== dependencies: "@xtuc/ieee754" "^1.2.0" "@webassemblyjs/leb128@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/leb128/-/leb128-1.13.2.tgz#57c5c3deb0105d02ce25fa3fd74f4ebc9fd0bbb0" + resolved "https://registry.npmjs.org/@webassemblyjs/leb128/-/leb128-1.13.2.tgz" integrity sha512-Lde1oNoIdzVzdkNEAWZ1dZ5orIbff80YPdHx20mrHwHrVNNTjNr8E3xz9BdpcGqRQbAEa+fkrCb+fRFTl/6sQw== dependencies: "@xtuc/long" "4.2.2" "@webassemblyjs/utf8@1.13.2": version "1.13.2" - resolved "https://registry.yarnpkg.com/@webassemblyjs/utf8/-/utf8-1.13.2.tgz#917a20e93f71ad5602966c2d685ae0c6c21f60f1" + resolved "https://registry.npmjs.org/@webassemblyjs/utf8/-/utf8-1.13.2.tgz" integrity sha512-3NQWGjKTASY1xV5m7Hr0iPeXD9+RDobLll3T9d2AO+g3my8xy5peVyjSag4I50mR1bBSN/Ct12lo+R9tJk0NZQ== "@webassemblyjs/wasm-edit@^1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz#ac6689f502219b59198ddec42dcd496b1004d597" + resolved "https://registry.npmjs.org/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz" integrity sha512-RNJUIQH/J8iA/1NzlE4N7KtyZNHi3w7at7hDjvRNm5rcUXa00z1vRz3glZoULfJ5mpvYhLybmVcwcjGrC1pRrQ== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1054,7 +1059,7 @@ "@webassemblyjs/wasm-gen@1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz#991e7f0c090cb0bb62bbac882076e3d219da9570" + resolved "https://registry.npmjs.org/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz" integrity sha512-AmomSIjP8ZbfGQhumkNvgC33AY7qtMCXnN6bL2u2Js4gVCg8fp735aEiMSBbDR7UQIj90n4wKAFUSEd0QN2Ukg== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1065,7 +1070,7 @@ "@webassemblyjs/wasm-opt@1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz#e6f71ed7ccae46781c206017d3c14c50efa8106b" + resolved "https://registry.npmjs.org/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz" integrity sha512-PTcKLUNvBqnY2U6E5bdOQcSM+oVP/PmrDY9NzowJjislEjwP/C4an2303MCVS2Mg9d3AJpIGdUFIQQWbPds0Sw== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1075,7 +1080,7 @@ "@webassemblyjs/wasm-parser@1.14.1", "@webassemblyjs/wasm-parser@^1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz#b3e13f1893605ca78b52c68e54cf6a865f90b9fb" + resolved "https://registry.npmjs.org/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz" integrity sha512-JLBl+KZ0R5qB7mCnud/yyX08jWFw5MsoalJ1pQ4EdFlgj9VdXKGuENGsiCIjegI1W7p91rUlcB/LB5yRJKNTcQ== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1087,7 +1092,7 @@ "@webassemblyjs/wast-printer@1.14.1": version "1.14.1" - resolved "https://registry.yarnpkg.com/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz#3bb3e9638a8ae5fdaf9610e7a06b4d9f9aa6fe07" + resolved "https://registry.npmjs.org/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz" integrity sha512-kPSSXE6De1XOR820C90RIo2ogvZG+c3KiHzqUoO/F34Y2shGzesfqv7o57xrxovZJH/MetF5UjroJ/R/3isoiw== dependencies: "@webassemblyjs/ast" "1.14.1" @@ -1095,29 +1100,29 @@ "@xtuc/ieee754@^1.2.0": version "1.2.0" - resolved "https://registry.yarnpkg.com/@xtuc/ieee754/-/ieee754-1.2.0.tgz#eef014a3145ae477a1cbc00cd1e552336dceb790" + resolved "https://registry.npmjs.org/@xtuc/ieee754/-/ieee754-1.2.0.tgz" integrity sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA== "@xtuc/long@4.2.2": version "4.2.2" - resolved "https://registry.yarnpkg.com/@xtuc/long/-/long-4.2.2.tgz#d291c6a4e97989b5c61d9acf396ae4fe133a718d" + resolved "https://registry.npmjs.org/@xtuc/long/-/long-4.2.2.tgz" integrity sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ== abab@^2.0.6: version "2.0.6" - resolved "https://registry.yarnpkg.com/abab/-/abab-2.0.6.tgz#41b80f2c871d19686216b82309231cfd3cb3d291" + resolved "https://registry.npmjs.org/abab/-/abab-2.0.6.tgz" integrity sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA== abort-controller@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/abort-controller/-/abort-controller-3.0.0.tgz#eaf54d53b62bae4138e809ca225c8439a6efb392" + resolved "https://registry.npmjs.org/abort-controller/-/abort-controller-3.0.0.tgz" integrity sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg== dependencies: event-target-shim "^5.0.0" acorn-globals@^7.0.0: version "7.0.1" - resolved "https://registry.yarnpkg.com/acorn-globals/-/acorn-globals-7.0.1.tgz#0dbf05c44fa7c94332914c02066d5beff62c40c3" + resolved "https://registry.npmjs.org/acorn-globals/-/acorn-globals-7.0.1.tgz" integrity sha512-umOSDSDrfHbTNPuNpC2NSnnA3LUrqpevPb4T9jRx4MagXNS0rs+gwiTcAvqCRmsD6utzsrzNt+ebm00SNWiC3Q== dependencies: acorn "^8.1.0" @@ -1125,45 +1130,45 @@ acorn-globals@^7.0.0: acorn-import-phases@^1.0.3: version "1.0.4" - resolved "https://registry.yarnpkg.com/acorn-import-phases/-/acorn-import-phases-1.0.4.tgz#16eb850ba99a056cb7cbfe872ffb8972e18c8bd7" + resolved "https://registry.npmjs.org/acorn-import-phases/-/acorn-import-phases-1.0.4.tgz" integrity sha512-wKmbr/DDiIXzEOiWrTTUcDm24kQ2vGfZQvM2fwg2vXqR5uW6aapr7ObPtj1th32b9u90/Pf4AItvdTh42fBmVQ== acorn-walk@^8.0.2: version "8.3.4" - resolved "https://registry.yarnpkg.com/acorn-walk/-/acorn-walk-8.3.4.tgz#794dd169c3977edf4ba4ea47583587c5866236b7" + resolved "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz" integrity sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g== dependencies: acorn "^8.11.0" acorn@^8.1.0, acorn@^8.11.0, acorn@^8.15.0, acorn@^8.8.1: version "8.15.0" - resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.15.0.tgz#a360898bc415edaac46c8241f6383975b930b816" + resolved "https://registry.npmjs.org/acorn/-/acorn-8.15.0.tgz" integrity sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg== agent-base@6: version "6.0.2" - resolved "https://registry.yarnpkg.com/agent-base/-/agent-base-6.0.2.tgz#49fff58577cfee3f37176feab4c22e00f86d7f77" + resolved "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz" integrity sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ== dependencies: debug "4" ajv-formats@^2.1.1: version "2.1.1" - resolved "https://registry.yarnpkg.com/ajv-formats/-/ajv-formats-2.1.1.tgz#6e669400659eb74973bbf2e33327180a0996b520" + resolved "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.1.tgz" integrity sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA== dependencies: ajv "^8.0.0" ajv-keywords@^5.1.0: version "5.1.0" - resolved "https://registry.yarnpkg.com/ajv-keywords/-/ajv-keywords-5.1.0.tgz#69d4d385a4733cdbeab44964a1170a88f87f0e16" + resolved "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-5.1.0.tgz" integrity sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw== dependencies: fast-deep-equal "^3.1.3" ajv@^8.0.0, ajv@^8.9.0: version "8.17.1" - resolved "https://registry.yarnpkg.com/ajv/-/ajv-8.17.1.tgz#37d9a5c776af6bc92d7f4f9510eba4c0a60d11a6" + resolved "https://registry.npmjs.org/ajv/-/ajv-8.17.1.tgz" integrity sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g== dependencies: fast-deep-equal "^3.1.3" @@ -1173,31 +1178,31 @@ ajv@^8.0.0, ajv@^8.9.0: ansi-escapes@^4.2.1: version "4.3.2" - resolved "https://registry.yarnpkg.com/ansi-escapes/-/ansi-escapes-4.3.2.tgz#6b2291d1db7d98b6521d5f1efa42d0f3a9feb65e" + resolved "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz" integrity sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ== dependencies: type-fest "^0.21.3" ansi-regex@^5.0.1: version "5.0.1" - resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304" + resolved "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz" integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ== ansi-styles@^4.0.0, ansi-styles@^4.1.0: version "4.3.0" - resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937" + resolved "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz" integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg== dependencies: color-convert "^2.0.1" ansi-styles@^5.0.0: version "5.2.0" - resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-5.2.0.tgz#07449690ad45777d1924ac2abb2fc8895dba836b" + resolved "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz" integrity sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA== anymatch@^3.0.3: version "3.1.3" - resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.3.tgz#790c58b19ba1720a84205b57c618d5ad8524973e" + resolved "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz" integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw== dependencies: normalize-path "^3.0.0" @@ -1205,19 +1210,19 @@ anymatch@^3.0.3: argparse@^1.0.7: version "1.0.10" - resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911" + resolved "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz" integrity sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg== dependencies: sprintf-js "~1.0.2" asynckit@^0.4.0: version "0.4.0" - resolved "https://registry.yarnpkg.com/asynckit/-/asynckit-0.4.0.tgz#c79ed97f7f34cb8f2ba1bc9790bcc366474b4b79" + resolved "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz" integrity sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q== babel-jest@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/babel-jest/-/babel-jest-29.7.0.tgz#f4369919225b684c56085998ac63dbd05be020d5" + resolved "https://registry.npmjs.org/babel-jest/-/babel-jest-29.7.0.tgz" integrity sha512-BrvGY3xZSwEcCzKvKsCi2GgHqDqsYkOP4/by5xCgIwGXQxIEh+8ew3gmrE1y7XRR6LHZIj6yLYnUi/mm2KXKBg== dependencies: "@jest/transform" "^29.7.0" @@ -1230,7 +1235,7 @@ babel-jest@^29.7.0: babel-plugin-istanbul@^6.1.1: version "6.1.1" - resolved "https://registry.yarnpkg.com/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz#fa88ec59232fd9b4e36dbbc540a8ec9a9b47da73" + resolved "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz" integrity sha512-Y1IQok9821cC9onCx5otgFfRm7Lm+I+wwxOx738M/WLPZ9Q42m4IG5W0FNX8WLL2gYMZo3JkuXIH2DOpWM+qwA== dependencies: "@babel/helper-plugin-utils" "^7.0.0" @@ -1241,7 +1246,7 @@ babel-plugin-istanbul@^6.1.1: babel-plugin-jest-hoist@^29.6.3: version "29.6.3" - resolved "https://registry.yarnpkg.com/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-29.6.3.tgz#aadbe943464182a8922c3c927c3067ff40d24626" + resolved "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-29.6.3.tgz" integrity sha512-ESAc/RJvGTFEzRwOTT4+lNDk/GNHMkKbNzsvT0qKRfDyyYTskxB5rnU2njIDYVxXCBHHEI1c0YwHob3WaYujOg== dependencies: "@babel/template" "^7.3.3" @@ -1272,7 +1277,7 @@ babel-preset-current-node-syntax@^1.0.0: babel-preset-jest@^29.6.3: version "29.6.3" - resolved "https://registry.yarnpkg.com/babel-preset-jest/-/babel-preset-jest-29.6.3.tgz#fa05fa510e7d493896d7b0dd2033601c840f171c" + resolved "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-29.6.3.tgz" integrity sha512-0B3bhxR6snWXJZtR/RliHTDPRgn1sNHOR0yVtq/IiQFyuOVjFS+wuio/R4gSNkyYmKmJB4wGZv2NZanmKmTnNA== dependencies: babel-plugin-jest-hoist "^29.6.3" @@ -1280,12 +1285,12 @@ babel-preset-jest@^29.6.3: balanced-match@^1.0.0: version "1.0.2" - resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee" + resolved "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz" integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== base64-js@^1.3.1: version "1.5.1" - resolved "https://registry.yarnpkg.com/base64-js/-/base64-js-1.5.1.tgz#1b1b440160a5bf7ad40b650f095963481903930a" + resolved "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz" integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA== baseline-browser-mapping@^2.9.0: @@ -1295,7 +1300,7 @@ baseline-browser-mapping@^2.9.0: brace-expansion@^1.1.7: version "1.1.12" - resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.12.tgz#ab9b454466e5a8cc3a187beaad580412a9c5b843" + resolved "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz" integrity sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg== dependencies: balanced-match "^1.0.0" @@ -1303,7 +1308,7 @@ brace-expansion@^1.1.7: braces@^3.0.3: version "3.0.3" - resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.3.tgz#490332f40919452272d55a8480adc0c441358789" + resolved "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz" integrity sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA== dependencies: fill-range "^7.1.1" @@ -1321,26 +1326,26 @@ browserslist@^4.24.0, browserslist@^4.28.1: bs-logger@^0.2.6: version "0.2.6" - resolved "https://registry.yarnpkg.com/bs-logger/-/bs-logger-0.2.6.tgz#eb7d365307a72cf974cc6cda76b68354ad336bd8" + resolved "https://registry.npmjs.org/bs-logger/-/bs-logger-0.2.6.tgz" integrity sha512-pd8DCoxmbgc7hyPKOvxtqNcjYoOsABPQdcCUjGp3d42VR2CX1ORhk2A87oqqu5R1kk+76nsxZupkmyd+MVtCog== dependencies: fast-json-stable-stringify "2.x" bser@2.1.1: version "2.1.1" - resolved "https://registry.yarnpkg.com/bser/-/bser-2.1.1.tgz#e6787da20ece9d07998533cfd9de6f5c38f4bc05" + resolved "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz" integrity sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ== dependencies: node-int64 "^0.4.0" buffer-from@^1.0.0: version "1.1.2" - resolved "https://registry.yarnpkg.com/buffer-from/-/buffer-from-1.1.2.tgz#2b146a6fd72e80b4f55d255f35ed59a3a9a41bd5" + resolved "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz" integrity sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ== buffer@^6.0.3: version "6.0.3" - resolved "https://registry.yarnpkg.com/buffer/-/buffer-6.0.3.tgz#2ace578459cc8fbe2a70aaa8f52ee63b6a74c6c6" + resolved "https://registry.npmjs.org/buffer/-/buffer-6.0.3.tgz" integrity sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA== dependencies: base64-js "^1.3.1" @@ -1348,7 +1353,7 @@ buffer@^6.0.3: call-bind-apply-helpers@^1.0.1, call-bind-apply-helpers@^1.0.2: version "1.0.2" - resolved "https://registry.yarnpkg.com/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz#4b5428c222be985d79c3d82657479dbe0b59b2d6" + resolved "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz" integrity sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ== dependencies: es-errors "^1.3.0" @@ -1356,17 +1361,17 @@ call-bind-apply-helpers@^1.0.1, call-bind-apply-helpers@^1.0.2: callsites@^3.0.0: version "3.1.0" - resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73" + resolved "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz" integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== camelcase@^5.3.1: version "5.3.1" - resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-5.3.1.tgz#e3c9b31569e106811df242f715725a1f4c494320" + resolved "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz" integrity sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg== camelcase@^6.2.0: version "6.3.0" - resolved "https://registry.yarnpkg.com/camelcase/-/camelcase-6.3.0.tgz#5685b95eb209ac9c0c177467778c9c84df58ba9a" + resolved "https://registry.npmjs.org/camelcase/-/camelcase-6.3.0.tgz" integrity sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA== caniuse-lite@^1.0.30001759: @@ -1376,7 +1381,7 @@ caniuse-lite@^1.0.30001759: chalk@^4.0.0, chalk@^4.1.0: version "4.1.2" - resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01" + resolved "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz" integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== dependencies: ansi-styles "^4.1.0" @@ -1384,22 +1389,22 @@ chalk@^4.0.0, chalk@^4.1.0: char-regex@^1.0.2: version "1.0.2" - resolved "https://registry.yarnpkg.com/char-regex/-/char-regex-1.0.2.tgz#d744358226217f981ed58f479b1d6bcc29545dcf" + resolved "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz" integrity sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw== chrome-trace-event@^1.0.2: version "1.0.4" - resolved "https://registry.yarnpkg.com/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz#05bffd7ff928465093314708c93bdfa9bd1f0f5b" + resolved "https://registry.npmjs.org/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz" integrity sha512-rNjApaLzuwaOTjCiT8lSDdGN1APCiqkChLMJxJPWLunPAt5fy8xgU9/jNOchV84wfIxrA0lRQB7oCT8jrn/wrQ== ci-info@^3.2.0: version "3.9.0" - resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-3.9.0.tgz#4279a62028a7b1f262f3473fc9605f5e218c59b4" + resolved "https://registry.npmjs.org/ci-info/-/ci-info-3.9.0.tgz" integrity sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ== cjs-module-lexer@^1.0.0: version "1.4.3" - resolved "https://registry.yarnpkg.com/cjs-module-lexer/-/cjs-module-lexer-1.4.3.tgz#0f79731eb8cfe1ec72acd4066efac9d61991b00d" + resolved "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-1.4.3.tgz" integrity sha512-9z8TZaGM1pfswYeXrUpzPrkx8UnWYdhJclsiYMm6x/w5+nN+8Tf/LnAgfLGQCm59qAOxU8WwHEq2vNwF6i4j+Q== cli-width@^4.1.0: @@ -1409,7 +1414,7 @@ cli-width@^4.1.0: cliui@^8.0.1: version "8.0.1" - resolved "https://registry.yarnpkg.com/cliui/-/cliui-8.0.1.tgz#0c04b075db02cbfe60dc8e6cf2f5486b1a3608aa" + resolved "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz" integrity sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ== dependencies: string-width "^4.2.0" @@ -1418,7 +1423,7 @@ cliui@^8.0.1: co@^4.6.0: version "4.6.0" - resolved "https://registry.yarnpkg.com/co/-/co-4.6.0.tgz#6ea6bdf3d853ae54ccb8e47bfa0bf3f9031fb184" + resolved "https://registry.npmjs.org/co/-/co-4.6.0.tgz" integrity sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ== collect-v8-coverage@^1.0.0: @@ -1428,36 +1433,36 @@ collect-v8-coverage@^1.0.0: color-convert@^2.0.1: version "2.0.1" - resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3" + resolved "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz" integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ== dependencies: color-name "~1.1.4" color-name@~1.1.4: version "1.1.4" - resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2" + resolved "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz" integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA== combined-stream@^1.0.8: version "1.0.8" - resolved "https://registry.yarnpkg.com/combined-stream/-/combined-stream-1.0.8.tgz#c3d45a8b34fd730631a110a8a2520682b31d5a7f" + resolved "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz" integrity sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg== dependencies: delayed-stream "~1.0.0" commander@^2.20.0: version "2.20.3" - resolved "https://registry.yarnpkg.com/commander/-/commander-2.20.3.tgz#fd485e84c03eb4881c20722ba48035e8531aeb33" + resolved "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz" integrity sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ== concat-map@0.0.1: version "0.0.1" - resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b" + resolved "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz" integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg== convert-source-map@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-2.0.0.tgz#4b560f649fc4e918dd0ab75cf4961e8bc882d82a" + resolved "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz" integrity sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg== cookie@^0.7.2: @@ -1467,7 +1472,7 @@ cookie@^0.7.2: create-jest@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/create-jest/-/create-jest-29.7.0.tgz#a355c5b3cb1e1af02ba177fe7afd7feee49a5320" + resolved "https://registry.npmjs.org/create-jest/-/create-jest-29.7.0.tgz" integrity sha512-Adz2bdH0Vq3F53KEMJOoftQFutWCukm6J24wbPWRO4k1kMY7gS7ds/uoJkNuV8wDCtWWnuwGcJwpWcih+zEW1Q== dependencies: "@jest/types" "^29.6.3" @@ -1480,7 +1485,7 @@ create-jest@^29.7.0: cross-spawn@^7.0.3: version "7.0.6" - resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.6.tgz#8a58fe78f00dcd70c370451759dfbfaf03e8ee9f" + resolved "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz" integrity sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA== dependencies: path-key "^3.1.0" @@ -1489,24 +1494,24 @@ cross-spawn@^7.0.3: cssom@^0.5.0: version "0.5.0" - resolved "https://registry.yarnpkg.com/cssom/-/cssom-0.5.0.tgz#d254fa92cd8b6fbd83811b9fbaed34663cc17c36" + resolved "https://registry.npmjs.org/cssom/-/cssom-0.5.0.tgz" integrity sha512-iKuQcq+NdHqlAcwUY0o/HL69XQrUaQdMjmStJ8JFmUaiiQErlhrmuigkg/CU4E2J0IyUKUrMAgl36TvN67MqTw== cssom@~0.3.6: version "0.3.8" - resolved "https://registry.yarnpkg.com/cssom/-/cssom-0.3.8.tgz#9f1276f5b2b463f2114d3f2c75250af8c1a36f4a" + resolved "https://registry.npmjs.org/cssom/-/cssom-0.3.8.tgz" integrity sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg== cssstyle@^2.3.0: version "2.3.0" - resolved "https://registry.yarnpkg.com/cssstyle/-/cssstyle-2.3.0.tgz#ff665a0ddbdc31864b09647f34163443d90b0852" + resolved "https://registry.npmjs.org/cssstyle/-/cssstyle-2.3.0.tgz" integrity sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A== dependencies: cssom "~0.3.6" data-urls@^3.0.2: version "3.0.2" - resolved "https://registry.yarnpkg.com/data-urls/-/data-urls-3.0.2.tgz#9cf24a477ae22bcef5cd5f6f0bfbc1d2d3be9143" + resolved "https://registry.npmjs.org/data-urls/-/data-urls-3.0.2.tgz" integrity sha512-Jy/tj3ldjZJo63sVAvg6LHt2mHvl4V6AgRAmNDtLdm7faqtsx+aJG42rsyCo9JCoRVKwPFzKlIPx3DIibwSIaQ== dependencies: abab "^2.0.6" @@ -1522,7 +1527,7 @@ debug@4, debug@^4.1.0, debug@^4.1.1, debug@^4.3.1: decimal.js@^10.4.2: version "10.6.0" - resolved "https://registry.yarnpkg.com/decimal.js/-/decimal.js-10.6.0.tgz#e649a43e3ab953a72192ff5983865e509f37ed9a" + resolved "https://registry.npmjs.org/decimal.js/-/decimal.js-10.6.0.tgz" integrity sha512-YpgQiITW3JXGntzdUmyUR1V812Hn8T1YVXhCu+wO3OpS4eU9l4YdD3qjyiKdV6mvV29zapkMeD390UVEf2lkUg== dedent@^1.0.0: @@ -1532,34 +1537,34 @@ dedent@^1.0.0: deepmerge@^4.2.2: version "4.3.1" - resolved "https://registry.yarnpkg.com/deepmerge/-/deepmerge-4.3.1.tgz#44b5f2147cd3b00d4b56137685966f26fd25dd4a" + resolved "https://registry.npmjs.org/deepmerge/-/deepmerge-4.3.1.tgz" integrity sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A== delayed-stream@~1.0.0: version "1.0.0" - resolved "https://registry.yarnpkg.com/delayed-stream/-/delayed-stream-1.0.0.tgz#df3ae199acadfb7d440aaae0b29e2272b24ec619" + resolved "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz" integrity sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ== detect-newline@^3.0.0: version "3.1.0" - resolved "https://registry.yarnpkg.com/detect-newline/-/detect-newline-3.1.0.tgz#576f5dfc63ae1a192ff192d8ad3af6308991b651" + resolved "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz" integrity sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA== diff-sequences@^29.6.3: version "29.6.3" - resolved "https://registry.yarnpkg.com/diff-sequences/-/diff-sequences-29.6.3.tgz#4deaf894d11407c51efc8418012f9e70b84ea921" + resolved "https://registry.npmjs.org/diff-sequences/-/diff-sequences-29.6.3.tgz" integrity sha512-EjePK1srD3P08o2j4f0ExnylqRs5B9tJjcp9t1krH2qRi8CCdsYfwe9JgSLurFBWwq4uOlipzfk5fHNvwFKr8Q== domexception@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/domexception/-/domexception-4.0.0.tgz#4ad1be56ccadc86fc76d033353999a8037d03673" + resolved "https://registry.npmjs.org/domexception/-/domexception-4.0.0.tgz" integrity sha512-A2is4PLG+eeSfoTMA95/s4pvAoSo2mKtiM5jlHkAVewmiO8ISFTFKZjH7UAM1Atli/OT/7JHOrJRJiMKUZKYBw== dependencies: webidl-conversions "^7.0.0" dunder-proto@^1.0.1: version "1.0.1" - resolved "https://registry.yarnpkg.com/dunder-proto/-/dunder-proto-1.0.1.tgz#d7ae667e1dc83482f8b70fd0f6eefc50da30f58a" + resolved "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz" integrity sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A== dependencies: call-bind-apply-helpers "^1.0.1" @@ -1573,12 +1578,12 @@ electron-to-chromium@^1.5.263: emittery@^0.13.1: version "0.13.1" - resolved "https://registry.yarnpkg.com/emittery/-/emittery-0.13.1.tgz#c04b8c3457490e0847ae51fced3af52d338e3dad" + resolved "https://registry.npmjs.org/emittery/-/emittery-0.13.1.tgz" integrity sha512-DeWwawk6r5yR9jFgnDKYt4sLS0LmHJJi3ZOnb5/JdbYwj3nW+FxQnHIjhBKz8YLC7oRNPVM9NQ47I3CVx34eqQ== emoji-regex@^8.0.0: version "8.0.0" - resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37" + resolved "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz" integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A== enhanced-resolve@^5.0.0, enhanced-resolve@^5.17.4: @@ -1591,7 +1596,7 @@ enhanced-resolve@^5.0.0, enhanced-resolve@^5.17.4: entities@^6.0.0: version "6.0.1" - resolved "https://registry.yarnpkg.com/entities/-/entities-6.0.1.tgz#c28c34a43379ca7f61d074130b2f5f7020a30694" + resolved "https://registry.npmjs.org/entities/-/entities-6.0.1.tgz" integrity sha512-aN97NXWF6AWBTahfVOIrB/NShkzi5H7F9r1s9mD3cDj4Ko5f2qhhVoYMibXF7GlLveb/D2ioWay8lxI97Ven3g== error-ex@^1.3.1: @@ -1603,12 +1608,12 @@ error-ex@^1.3.1: es-define-property@^1.0.1: version "1.0.1" - resolved "https://registry.yarnpkg.com/es-define-property/-/es-define-property-1.0.1.tgz#983eb2f9a6724e9303f61addf011c72e09e0b0fa" + resolved "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz" integrity sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g== es-errors@^1.3.0: version "1.3.0" - resolved "https://registry.yarnpkg.com/es-errors/-/es-errors-1.3.0.tgz#05f75a25dab98e4fb1dcd5e1472c0546d5057c8f" + resolved "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz" integrity sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw== es-module-lexer@^2.0.0: @@ -1618,14 +1623,14 @@ es-module-lexer@^2.0.0: es-object-atoms@^1.0.0, es-object-atoms@^1.1.1: version "1.1.1" - resolved "https://registry.yarnpkg.com/es-object-atoms/-/es-object-atoms-1.1.1.tgz#1c4f2c4837327597ce69d2ca190a7fdd172338c1" + resolved "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz" integrity sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA== dependencies: es-errors "^1.3.0" es-set-tostringtag@^2.1.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz#f31dbbe0c183b00a6d26eb6325c810c0fd18bd4d" + resolved "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz" integrity sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA== dependencies: es-errors "^1.3.0" @@ -1667,17 +1672,17 @@ esbuild@^0.25.9: escalade@^3.1.1, escalade@^3.2.0: version "3.2.0" - resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.2.0.tgz#011a3f69856ba189dffa7dc8fcce99d2a87903e5" + resolved "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz" integrity sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA== escape-string-regexp@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz#a30304e99daa32e23b2fd20f51babd07cffca344" + resolved "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz" integrity sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w== escodegen@^2.0.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/escodegen/-/escodegen-2.1.0.tgz#ba93bbb7a43986d29d6041f99f5262da773e2e17" + resolved "https://registry.npmjs.org/escodegen/-/escodegen-2.1.0.tgz" integrity sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w== dependencies: esprima "^4.0.1" @@ -1688,7 +1693,7 @@ escodegen@^2.0.0: eslint-scope@5.1.1: version "5.1.1" - resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c" + resolved "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz" integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw== dependencies: esrecurse "^4.3.0" @@ -1696,44 +1701,44 @@ eslint-scope@5.1.1: esprima@^4.0.0, esprima@^4.0.1: version "4.0.1" - resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71" + resolved "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz" integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A== esrecurse@^4.3.0: version "4.3.0" - resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921" + resolved "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz" integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag== dependencies: estraverse "^5.2.0" estraverse@^4.1.1: version "4.3.0" - resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d" + resolved "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz" integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw== estraverse@^5.2.0: version "5.3.0" - resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123" + resolved "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz" integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA== esutils@^2.0.2: version "2.0.3" - resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64" + resolved "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz" integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g== event-target-shim@^5.0.0: version "5.0.1" - resolved "https://registry.yarnpkg.com/event-target-shim/-/event-target-shim-5.0.1.tgz#5d4d3ebdf9583d63a5333ce2deb7480ab2b05789" + resolved "https://registry.npmjs.org/event-target-shim/-/event-target-shim-5.0.1.tgz" integrity sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ== events@^3.2.0, events@^3.3.0: version "3.3.0" - resolved "https://registry.yarnpkg.com/events/-/events-3.3.0.tgz#31a95ad0a924e2d2c419a813aeb2c4e878ea7400" + resolved "https://registry.npmjs.org/events/-/events-3.3.0.tgz" integrity sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q== execa@^5.0.0: version "5.1.1" - resolved "https://registry.yarnpkg.com/execa/-/execa-5.1.1.tgz#f80ad9cbf4298f7bd1d4c9555c21e93741c411dd" + resolved "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz" integrity sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg== dependencies: cross-spawn "^7.0.3" @@ -1748,12 +1753,12 @@ execa@^5.0.0: exit@^0.1.2: version "0.1.2" - resolved "https://registry.yarnpkg.com/exit/-/exit-0.1.2.tgz#0632638f8d877cc82107d30a0fff1a17cba1cd0c" + resolved "https://registry.npmjs.org/exit/-/exit-0.1.2.tgz" integrity sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ== expect@^29.0.0, expect@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/expect/-/expect-29.7.0.tgz#578874590dcb3214514084c08115d8aee61e11bc" + resolved "https://registry.npmjs.org/expect/-/expect-29.7.0.tgz" integrity sha512-2Zks0hf1VLFYI1kbh0I5jP3KHHyCHpkfyHBzsSXRFgl/Bg9mWYfMW8oD+PdMPlEwy5HNsR9JutYy6pMeOh61nw== dependencies: "@jest/expect-utils" "^29.7.0" @@ -1764,12 +1769,12 @@ expect@^29.0.0, expect@^29.7.0: fast-deep-equal@^3.1.3: version "3.1.3" - resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525" + resolved "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz" integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q== fast-json-stable-stringify@2.x, fast-json-stable-stringify@^2.1.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633" + resolved "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz" integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw== fast-uri@^3.0.1: @@ -1779,30 +1784,30 @@ fast-uri@^3.0.1: fb-watchman@^2.0.0: version "2.0.2" - resolved "https://registry.yarnpkg.com/fb-watchman/-/fb-watchman-2.0.2.tgz#e9524ee6b5c77e9e5001af0f85f3adbb8623255c" + resolved "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.2.tgz" integrity sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA== dependencies: bser "2.1.1" fill-range@^7.1.1: version "7.1.1" - resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.1.1.tgz#44265d3cac07e3ea7dc247516380643754a05292" + resolved "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz" integrity sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg== dependencies: to-regex-range "^5.0.1" find-up@^4.0.0, find-up@^4.1.0: version "4.1.0" - resolved "https://registry.yarnpkg.com/find-up/-/find-up-4.1.0.tgz#97afe7d6cdc0bc5928584b7c8d7b16e8a9aa5d19" + resolved "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz" integrity sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw== dependencies: locate-path "^5.0.0" path-exists "^4.0.0" form-data@^4.0.0, form-data@^4.0.4: - version "4.0.5" - resolved "https://registry.yarnpkg.com/form-data/-/form-data-4.0.5.tgz#b49e48858045ff4cbf6b03e1805cebcad3679053" - integrity sha512-8RipRLol37bNs2bhoV67fiTEvdTrbMUYcFTiy3+wuuOnUog2QBHCZWXDRijWQfAkhBj2Uf5UnVaiWwA5vdd82w== + version "4.0.4" + resolved "https://registry.npmjs.org/form-data/-/form-data-4.0.4.tgz" + integrity sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow== dependencies: asynckit "^0.4.0" combined-stream "^1.0.8" @@ -1812,37 +1817,37 @@ form-data@^4.0.0, form-data@^4.0.4: formdata-node@^6.0.3: version "6.0.3" - resolved "https://registry.yarnpkg.com/formdata-node/-/formdata-node-6.0.3.tgz#48f8e2206ae2befded82af621ef015f08168dc6d" + resolved "https://registry.npmjs.org/formdata-node/-/formdata-node-6.0.3.tgz" integrity sha512-8e1++BCiTzUno9v5IZ2J6bv4RU+3UKDmqWUQD0MIMVCd9AdhWkO1gw57oo1mNEX1dMq2EGI+FbWz4B92pscSQg== fs.realpath@^1.0.0: version "1.0.0" - resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f" + resolved "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz" integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw== fsevents@^2.3.2: version "2.3.3" - resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.3.tgz#cac6407785d03675a2a5e1a5305c697b347d90d6" + resolved "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz" integrity sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw== function-bind@^1.1.2: version "1.1.2" - resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.2.tgz#2c02d864d97f3ea6c8830c464cbd11ab6eab7a1c" + resolved "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz" integrity sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA== gensync@^1.0.0-beta.2: version "1.0.0-beta.2" - resolved "https://registry.yarnpkg.com/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0" + resolved "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz" integrity sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg== get-caller-file@^2.0.5: version "2.0.5" - resolved "https://registry.yarnpkg.com/get-caller-file/-/get-caller-file-2.0.5.tgz#4f94412a82db32f36e3b0b9741f8a97feb031f7e" + resolved "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz" integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== get-intrinsic@^1.2.6: version "1.3.0" - resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.3.0.tgz#743f0e3b6964a93a5491ed1bffaae054d7f98d01" + resolved "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz" integrity sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ== dependencies: call-bind-apply-helpers "^1.0.2" @@ -1858,12 +1863,12 @@ get-intrinsic@^1.2.6: get-package-type@^0.1.0: version "0.1.0" - resolved "https://registry.yarnpkg.com/get-package-type/-/get-package-type-0.1.0.tgz#8de2d803cff44df3bc6c456e6668b36c3926e11a" + resolved "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz" integrity sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q== get-proto@^1.0.1: version "1.0.1" - resolved "https://registry.yarnpkg.com/get-proto/-/get-proto-1.0.1.tgz#150b3f2743869ef3e851ec0c49d15b1d14d00ee1" + resolved "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz" integrity sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g== dependencies: dunder-proto "^1.0.1" @@ -1871,17 +1876,17 @@ get-proto@^1.0.1: get-stream@^6.0.0: version "6.0.1" - resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-6.0.1.tgz#a262d8eef67aced57c2852ad6167526a43cbf7b7" + resolved "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz" integrity sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg== glob-to-regexp@^0.4.1: version "0.4.1" - resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz#c75297087c851b9a578bd217dd59a92f59fe546e" + resolved "https://registry.npmjs.org/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz" integrity sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw== glob@^7.1.3, glob@^7.1.4: version "7.2.3" - resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b" + resolved "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz" integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q== dependencies: fs.realpath "^1.0.0" @@ -1893,12 +1898,12 @@ glob@^7.1.3, glob@^7.1.4: gopd@^1.2.0: version "1.2.0" - resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.2.0.tgz#89f56b8217bdbc8802bd299df6d7f1081d7e51a1" + resolved "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz" integrity sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg== graceful-fs@^4.1.2, graceful-fs@^4.2.11, graceful-fs@^4.2.4, graceful-fs@^4.2.9: version "4.2.11" - resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3" + resolved "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz" integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ== graphql@^16.8.1: @@ -1920,24 +1925,24 @@ handlebars@^4.7.8: has-flag@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b" + resolved "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz" integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ== has-symbols@^1.0.3, has-symbols@^1.1.0: version "1.1.0" - resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.1.0.tgz#fc9c6a783a084951d0b971fe1018de813707a338" + resolved "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz" integrity sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ== has-tostringtag@^1.0.2: version "1.0.2" - resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.2.tgz#2cdc42d40bef2e5b4eeab7c01a73c54ce7ab5abc" + resolved "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz" integrity sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw== dependencies: has-symbols "^1.0.3" hasown@^2.0.2: version "2.0.2" - resolved "https://registry.yarnpkg.com/hasown/-/hasown-2.0.2.tgz#003eaf91be7adc372e84ec59dc37252cedb80003" + resolved "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz" integrity sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ== dependencies: function-bind "^1.1.2" @@ -1949,19 +1954,19 @@ headers-polyfill@^4.0.2: html-encoding-sniffer@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz#2cb1a8cf0db52414776e5b2a7a04d5dd98158de9" + resolved "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz" integrity sha512-oWv4T4yJ52iKrufjnyZPkrN0CH3QnrUqdB6In1g5Fe1mia8GmF36gnfNySxoZtxD5+NmYw1EElVXiBk93UeskA== dependencies: whatwg-encoding "^2.0.0" html-escaper@^2.0.0: version "2.0.2" - resolved "https://registry.yarnpkg.com/html-escaper/-/html-escaper-2.0.2.tgz#dfd60027da36a36dfcbe236262c00a5822681453" + resolved "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz" integrity sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg== http-proxy-agent@^5.0.0: version "5.0.0" - resolved "https://registry.yarnpkg.com/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz#5129800203520d434f142bc78ff3c170800f2b43" + resolved "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz" integrity sha512-n2hY8YdoRE1i7r6M0w9DIw5GgZN0G25P8zLCRQ8rjXtTU3vsNFBI/vWK/UIeE6g5MUUz6avwAPXmL6Fy9D/90w== dependencies: "@tootallnate/once" "2" @@ -1970,7 +1975,7 @@ http-proxy-agent@^5.0.0: https-proxy-agent@^5.0.1: version "5.0.1" - resolved "https://registry.yarnpkg.com/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz#c59ef224a04fe8b754f3db0063a25ea30d0005d6" + resolved "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz" integrity sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA== dependencies: agent-base "6" @@ -1978,24 +1983,24 @@ https-proxy-agent@^5.0.1: human-signals@^2.1.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0" + resolved "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz" integrity sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw== iconv-lite@0.6.3: version "0.6.3" - resolved "https://registry.yarnpkg.com/iconv-lite/-/iconv-lite-0.6.3.tgz#a52f80bf38da1952eb5c681790719871a1a72501" + resolved "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz" integrity sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw== dependencies: safer-buffer ">= 2.1.2 < 3.0.0" ieee754@^1.2.1: version "1.2.1" - resolved "https://registry.yarnpkg.com/ieee754/-/ieee754-1.2.1.tgz#8eb7a10a63fff25d15a57b001586d177d1b0d352" + resolved "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz" integrity sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA== import-local@^3.0.2: version "3.2.0" - resolved "https://registry.yarnpkg.com/import-local/-/import-local-3.2.0.tgz#c3d5c745798c02a6f8b897726aba5100186ee260" + resolved "https://registry.npmjs.org/import-local/-/import-local-3.2.0.tgz" integrity sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA== dependencies: pkg-dir "^4.2.0" @@ -2003,12 +2008,12 @@ import-local@^3.0.2: imurmurhash@^0.1.4: version "0.1.4" - resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea" + resolved "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz" integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA== inflight@^1.0.4: version "1.0.6" - resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9" + resolved "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz" integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA== dependencies: once "^1.3.0" @@ -2016,12 +2021,12 @@ inflight@^1.0.4: inherits@2: version "2.0.4" - resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c" + resolved "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz" integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== is-arrayish@^0.2.1: version "0.2.1" - resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d" + resolved "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz" integrity sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg== is-core-module@^2.16.1: @@ -2033,12 +2038,12 @@ is-core-module@^2.16.1: is-fullwidth-code-point@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d" + resolved "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz" integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg== is-generator-fn@^2.0.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/is-generator-fn/-/is-generator-fn-2.1.0.tgz#7d140adc389aaf3011a8f2a2a4cfa6faadffb118" + resolved "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz" integrity sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ== is-node-process@^1.2.0: @@ -2048,32 +2053,32 @@ is-node-process@^1.2.0: is-number@^7.0.0: version "7.0.0" - resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b" + resolved "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz" integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== is-potential-custom-element-name@^1.0.1: version "1.0.1" - resolved "https://registry.yarnpkg.com/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz#171ed6f19e3ac554394edf78caa05784a45bebb5" + resolved "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz" integrity sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ== is-stream@^2.0.0: version "2.0.1" - resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077" + resolved "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz" integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg== isexe@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10" + resolved "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz" integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw== istanbul-lib-coverage@^3.0.0, istanbul-lib-coverage@^3.2.0: version "3.2.2" - resolved "https://registry.yarnpkg.com/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz#2d166c4b0644d43a39f04bf6c2edd1e585f31756" + resolved "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz" integrity sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg== istanbul-lib-instrument@^5.0.4: version "5.2.1" - resolved "https://registry.yarnpkg.com/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz#d10c8885c2125574e1c231cacadf955675e1ce3d" + resolved "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz" integrity sha512-pzqtp31nLv/XFOzXGuvhCb8qhjmTVo5vjVk19XE4CRlSWz0KoeJ3bw9XsA7nOp9YBf4qHjwBxkDzKcME/J29Yg== dependencies: "@babel/core" "^7.12.3" @@ -2084,7 +2089,7 @@ istanbul-lib-instrument@^5.0.4: istanbul-lib-instrument@^6.0.0: version "6.0.3" - resolved "https://registry.yarnpkg.com/istanbul-lib-instrument/-/istanbul-lib-instrument-6.0.3.tgz#fa15401df6c15874bcb2105f773325d78c666765" + resolved "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-6.0.3.tgz" integrity sha512-Vtgk7L/R2JHyyGW07spoFlB8/lpjiOLTjMdms6AFMraYt3BaJauod/NGrfnVG/y4Ix1JEuMRPDPEj2ua+zz1/Q== dependencies: "@babel/core" "^7.23.9" @@ -2095,7 +2100,7 @@ istanbul-lib-instrument@^6.0.0: istanbul-lib-report@^3.0.0: version "3.0.1" - resolved "https://registry.yarnpkg.com/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz#908305bac9a5bd175ac6a74489eafd0fc2445a7d" + resolved "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz" integrity sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw== dependencies: istanbul-lib-coverage "^3.0.0" @@ -2104,7 +2109,7 @@ istanbul-lib-report@^3.0.0: istanbul-lib-source-maps@^4.0.0: version "4.0.1" - resolved "https://registry.yarnpkg.com/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz#895f3a709fcfba34c6de5a42939022f3e4358551" + resolved "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz" integrity sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw== dependencies: debug "^4.1.1" @@ -2121,7 +2126,7 @@ istanbul-reports@^3.1.3: jest-changed-files@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-changed-files/-/jest-changed-files-29.7.0.tgz#1c06d07e77c78e1585d020424dedc10d6e17ac3a" + resolved "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-29.7.0.tgz" integrity sha512-fEArFiwf1BpQ+4bXSprcDc3/x4HSzL4al2tozwVpDFpsxALjLYdyiIK4e5Vz66GQJIbXJ82+35PtysofptNX2w== dependencies: execa "^5.0.0" @@ -2130,7 +2135,7 @@ jest-changed-files@^29.7.0: jest-circus@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-circus/-/jest-circus-29.7.0.tgz#b6817a45fcc835d8b16d5962d0c026473ee3668a" + resolved "https://registry.npmjs.org/jest-circus/-/jest-circus-29.7.0.tgz" integrity sha512-3E1nCMgipcTkCocFwM90XXQab9bS+GMsjdpmPrlelaxwD93Ad8iVEjX/vvHPdLPnFf+L40u+5+iutRdA1N9myw== dependencies: "@jest/environment" "^29.7.0" @@ -2156,7 +2161,7 @@ jest-circus@^29.7.0: jest-cli@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-cli/-/jest-cli-29.7.0.tgz#5592c940798e0cae677eec169264f2d839a37995" + resolved "https://registry.npmjs.org/jest-cli/-/jest-cli-29.7.0.tgz" integrity sha512-OVVobw2IubN/GSYsxETi+gOe7Ka59EFMR/twOU3Jb2GnKKeMGJB5SGUUrEz3SFVmJASUdZUzy83sLNNQ2gZslg== dependencies: "@jest/core" "^29.7.0" @@ -2173,7 +2178,7 @@ jest-cli@^29.7.0: jest-config@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-config/-/jest-config-29.7.0.tgz#bcbda8806dbcc01b1e316a46bb74085a84b0245f" + resolved "https://registry.npmjs.org/jest-config/-/jest-config-29.7.0.tgz" integrity sha512-uXbpfeQ7R6TZBqI3/TxCU4q4ttk3u0PJeC+E0zbfSoSjq6bJ7buBPxzQPL0ifrkY4DNu4JUdk0ImlBUYi840eQ== dependencies: "@babel/core" "^7.11.6" @@ -2201,7 +2206,7 @@ jest-config@^29.7.0: jest-diff@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-diff/-/jest-diff-29.7.0.tgz#017934a66ebb7ecf6f205e84699be10afd70458a" + resolved "https://registry.npmjs.org/jest-diff/-/jest-diff-29.7.0.tgz" integrity sha512-LMIgiIrhigmPrs03JHpxUh2yISK3vLFPkAodPeo0+BuF7wA2FoQbkEg1u8gBYBThncu7e1oEDUfIXVuTqLRUjw== dependencies: chalk "^4.0.0" @@ -2211,14 +2216,14 @@ jest-diff@^29.7.0: jest-docblock@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-docblock/-/jest-docblock-29.7.0.tgz#8fddb6adc3cdc955c93e2a87f61cfd350d5d119a" + resolved "https://registry.npmjs.org/jest-docblock/-/jest-docblock-29.7.0.tgz" integrity sha512-q617Auw3A612guyaFgsbFeYpNP5t2aoUNLwBUbc/0kD1R4t9ixDbyFTHd1nok4epoVFpr7PmeWHrhvuV3XaJ4g== dependencies: detect-newline "^3.0.0" jest-each@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-each/-/jest-each-29.7.0.tgz#162a9b3f2328bdd991beaabffbb74745e56577d1" + resolved "https://registry.npmjs.org/jest-each/-/jest-each-29.7.0.tgz" integrity sha512-gns+Er14+ZrEoC5fhOfYCY1LOHHr0TI+rQUHZS8Ttw2l7gl+80eHc/gFf2Ktkw0+SIACDTeWvpFcv3B04VembQ== dependencies: "@jest/types" "^29.6.3" @@ -2229,7 +2234,7 @@ jest-each@^29.7.0: jest-environment-jsdom@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-environment-jsdom/-/jest-environment-jsdom-29.7.0.tgz#d206fa3551933c3fd519e5dfdb58a0f5139a837f" + resolved "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-29.7.0.tgz" integrity sha512-k9iQbsf9OyOfdzWH8HDmrRT0gSIcX+FLNW7IQq94tFX0gynPwqDTW0Ho6iMVNjGz/nb+l/vW3dWM2bbLLpkbXA== dependencies: "@jest/environment" "^29.7.0" @@ -2243,7 +2248,7 @@ jest-environment-jsdom@^29.7.0: jest-environment-node@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-environment-node/-/jest-environment-node-29.7.0.tgz#0b93e111dda8ec120bc8300e6d1fb9576e164376" + resolved "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-29.7.0.tgz" integrity sha512-DOSwCRqXirTOyheM+4d5YZOrWcdu0LNZ87ewUoywbcb2XR4wKgqiG8vNeYwhjFMbEkfju7wx2GYH0P2gevGvFw== dependencies: "@jest/environment" "^29.7.0" @@ -2255,12 +2260,12 @@ jest-environment-node@^29.7.0: jest-get-type@^29.6.3: version "29.6.3" - resolved "https://registry.yarnpkg.com/jest-get-type/-/jest-get-type-29.6.3.tgz#36f499fdcea197c1045a127319c0481723908fd1" + resolved "https://registry.npmjs.org/jest-get-type/-/jest-get-type-29.6.3.tgz" integrity sha512-zrteXnqYxfQh7l5FHyL38jL39di8H8rHoecLH3JNxH3BwOrBsNeabdap5e0I23lD4HHI8W5VFBZqG4Eaq5LNcw== jest-haste-map@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-haste-map/-/jest-haste-map-29.7.0.tgz#3c2396524482f5a0506376e6c858c3bbcc17b104" + resolved "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-29.7.0.tgz" integrity sha512-fP8u2pyfqx0K1rGn1R9pyE0/KTn+G7PxktWidOBTqFPLYX0b9ksaMFkhK5vrS3DVun09pckLdlx90QthlW7AmA== dependencies: "@jest/types" "^29.6.3" @@ -2279,7 +2284,7 @@ jest-haste-map@^29.7.0: jest-leak-detector@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-leak-detector/-/jest-leak-detector-29.7.0.tgz#5b7ec0dadfdfec0ca383dc9aa016d36b5ea4c728" + resolved "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-29.7.0.tgz" integrity sha512-kYA8IJcSYtST2BY9I+SMC32nDpBT3J2NvWJx8+JCuCdl/CR1I4EKUJROiP8XtCcxqgTTBGJNdbB1A8XRKbTetw== dependencies: jest-get-type "^29.6.3" @@ -2287,7 +2292,7 @@ jest-leak-detector@^29.7.0: jest-matcher-utils@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz#ae8fec79ff249fd592ce80e3ee474e83a6c44f12" + resolved "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz" integrity sha512-sBkD+Xi9DtcChsI3L3u0+N0opgPYnCRPtGcQYrgXmR+hmt/fYfWAL0xRXYU8eWOdfuLgBe0YCW3AFtnRLagq/g== dependencies: chalk "^4.0.0" @@ -2297,7 +2302,7 @@ jest-matcher-utils@^29.7.0: jest-message-util@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-message-util/-/jest-message-util-29.7.0.tgz#8bc392e204e95dfe7564abbe72a404e28e51f7f3" + resolved "https://registry.npmjs.org/jest-message-util/-/jest-message-util-29.7.0.tgz" integrity sha512-GBEV4GRADeP+qtB2+6u61stea8mGcOT4mCtrYISZwfu9/ISHFJ/5zOMXYbpBE9RsS5+Gb63DW4FgmnKJ79Kf6w== dependencies: "@babel/code-frame" "^7.12.13" @@ -2312,7 +2317,7 @@ jest-message-util@^29.7.0: jest-mock@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-mock/-/jest-mock-29.7.0.tgz#4e836cf60e99c6fcfabe9f99d017f3fdd50a6347" + resolved "https://registry.npmjs.org/jest-mock/-/jest-mock-29.7.0.tgz" integrity sha512-ITOMZn+UkYS4ZFh83xYAOzWStloNzJFO2s8DWrE4lhtGD+AorgnbkiKERe4wQVBydIGPx059g6riW5Btp6Llnw== dependencies: "@jest/types" "^29.6.3" @@ -2321,17 +2326,17 @@ jest-mock@^29.7.0: jest-pnp-resolver@^1.2.2: version "1.2.3" - resolved "https://registry.yarnpkg.com/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz#930b1546164d4ad5937d5540e711d4d38d4cad2e" + resolved "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz" integrity sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w== jest-regex-util@^29.6.3: version "29.6.3" - resolved "https://registry.yarnpkg.com/jest-regex-util/-/jest-regex-util-29.6.3.tgz#4a556d9c776af68e1c5f48194f4d0327d24e8a52" + resolved "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-29.6.3.tgz" integrity sha512-KJJBsRCyyLNWCNBOvZyRDnAIfUiRJ8v+hOBQYGn8gDyF3UegwiP4gwRR3/SDa42g1YbVycTidUF3rKjyLFDWbg== jest-resolve-dependencies@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-resolve-dependencies/-/jest-resolve-dependencies-29.7.0.tgz#1b04f2c095f37fc776ff40803dc92921b1e88428" + resolved "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-29.7.0.tgz" integrity sha512-un0zD/6qxJ+S0et7WxeI3H5XSe9lTBBR7bOHCHXkKR6luG5mwDDlIzVQ0V5cZCuoTgEdcdwzTghYkTWfubi+nA== dependencies: jest-regex-util "^29.6.3" @@ -2339,7 +2344,7 @@ jest-resolve-dependencies@^29.7.0: jest-resolve@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-resolve/-/jest-resolve-29.7.0.tgz#64d6a8992dd26f635ab0c01e5eef4399c6bcbc30" + resolved "https://registry.npmjs.org/jest-resolve/-/jest-resolve-29.7.0.tgz" integrity sha512-IOVhZSrg+UvVAshDSDtHyFCCBUl/Q3AAJv8iZ6ZjnZ74xzvwuzLXid9IIIPgTnY62SJjfuupMKZsZQRsCvxEgA== dependencies: chalk "^4.0.0" @@ -2354,7 +2359,7 @@ jest-resolve@^29.7.0: jest-runner@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-runner/-/jest-runner-29.7.0.tgz#809af072d408a53dcfd2e849a4c976d3132f718e" + resolved "https://registry.npmjs.org/jest-runner/-/jest-runner-29.7.0.tgz" integrity sha512-fsc4N6cPCAahybGBfTRcq5wFR6fpLznMg47sY5aDpsoejOcVYFb07AHuSnR0liMcPTgBsA3ZJL6kFOjPdoNipQ== dependencies: "@jest/console" "^29.7.0" @@ -2381,7 +2386,7 @@ jest-runner@^29.7.0: jest-runtime@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-runtime/-/jest-runtime-29.7.0.tgz#efecb3141cf7d3767a3a0cc8f7c9990587d3d817" + resolved "https://registry.npmjs.org/jest-runtime/-/jest-runtime-29.7.0.tgz" integrity sha512-gUnLjgwdGqW7B4LvOIkbKs9WGbn+QLqRQQ9juC6HndeDiezIwhDP+mhMwHWCEcfQ5RUXa6OPnFF8BJh5xegwwQ== dependencies: "@jest/environment" "^29.7.0" @@ -2409,7 +2414,7 @@ jest-runtime@^29.7.0: jest-snapshot@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-snapshot/-/jest-snapshot-29.7.0.tgz#c2c574c3f51865da1bb329036778a69bf88a6be5" + resolved "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-29.7.0.tgz" integrity sha512-Rm0BMWtxBcioHr1/OX5YCP8Uov4riHvKPknOGs804Zg9JGZgmIBkbtlxJC/7Z4msKYVbIJtfU+tKb8xlYNfdkw== dependencies: "@babel/core" "^7.11.6" @@ -2435,7 +2440,7 @@ jest-snapshot@^29.7.0: jest-util@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-util/-/jest-util-29.7.0.tgz#23c2b62bfb22be82b44de98055802ff3710fc0bc" + resolved "https://registry.npmjs.org/jest-util/-/jest-util-29.7.0.tgz" integrity sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA== dependencies: "@jest/types" "^29.6.3" @@ -2447,7 +2452,7 @@ jest-util@^29.7.0: jest-validate@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-validate/-/jest-validate-29.7.0.tgz#7bf705511c64da591d46b15fce41400d52147d9c" + resolved "https://registry.npmjs.org/jest-validate/-/jest-validate-29.7.0.tgz" integrity sha512-ZB7wHqaRGVw/9hST/OuFUReG7M8vKeq0/J2egIGLdvjHCmYqGARhzXmtgi+gVeZ5uXFF219aOc3Ls2yLg27tkw== dependencies: "@jest/types" "^29.6.3" @@ -2459,7 +2464,7 @@ jest-validate@^29.7.0: jest-watcher@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-watcher/-/jest-watcher-29.7.0.tgz#7810d30d619c3a62093223ce6bb359ca1b28a2f2" + resolved "https://registry.npmjs.org/jest-watcher/-/jest-watcher-29.7.0.tgz" integrity sha512-49Fg7WXkU3Vl2h6LbLtMQ/HyB6rXSIX7SqvBLQmssRBGN9I0PNvPmAmCWSOY6SOvrjhI/F7/bGAv9RtnsPA03g== dependencies: "@jest/test-result" "^29.7.0" @@ -2473,7 +2478,7 @@ jest-watcher@^29.7.0: jest-worker@^27.4.5: version "27.5.1" - resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-27.5.1.tgz#8d146f0900e8973b106b6f73cc1e9a8cb86f8db0" + resolved "https://registry.npmjs.org/jest-worker/-/jest-worker-27.5.1.tgz" integrity sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg== dependencies: "@types/node" "*" @@ -2482,7 +2487,7 @@ jest-worker@^27.4.5: jest-worker@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-29.7.0.tgz#acad073acbbaeb7262bd5389e1bcf43e10058d4a" + resolved "https://registry.npmjs.org/jest-worker/-/jest-worker-29.7.0.tgz" integrity sha512-eIz2msL/EzL9UFTFFx7jBTkeZfku0yUAyZZZmJ93H2TYEiroIx2PQjEXcwYtYl8zXCxb+PAmA2hLIt/6ZEkPHw== dependencies: "@types/node" "*" @@ -2492,7 +2497,7 @@ jest-worker@^29.7.0: jest@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/jest/-/jest-29.7.0.tgz#994676fc24177f088f1c5e3737f5697204ff2613" + resolved "https://registry.npmjs.org/jest/-/jest-29.7.0.tgz" integrity sha512-NIy3oAFp9shda19hy4HK0HRTWKtPJmGdnvywu01nOqNC2vZg+Z+fvJDxpMQA88eb2I9EcafcdjYgsDthnYTvGw== dependencies: "@jest/core" "^29.7.0" @@ -2502,20 +2507,20 @@ jest@^29.7.0: js-tokens@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499" + resolved "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz" integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ== js-yaml@^3.13.1: - version "3.14.2" - resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.14.2.tgz#77485ce1dd7f33c061fd1b16ecea23b55fcb04b0" - integrity sha512-PMSmkqxr106Xa156c2M265Z+FTrPl+oxd/rgOQy2tijQeK5TxQ43psO1ZCwhVOSdnn+RzkzlRz/eY4BgJBYVpg== + version "3.14.1" + resolved "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz" + integrity sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g== dependencies: argparse "^1.0.7" esprima "^4.0.0" jsdom@^20.0.0: version "20.0.3" - resolved "https://registry.yarnpkg.com/jsdom/-/jsdom-20.0.3.tgz#886a41ba1d4726f67a8858028c99489fed6ad4db" + resolved "https://registry.npmjs.org/jsdom/-/jsdom-20.0.3.tgz" integrity sha512-SYhBvTh89tTfCD/CRdSOm13mOBa42iTaTyfyEWBdKcGdPxPtLFBXuHR8XHb33YNYaP+lLbmSvBTsnoesCNJEsQ== dependencies: abab "^2.0.6" @@ -2547,37 +2552,37 @@ jsdom@^20.0.0: jsesc@^3.0.2: version "3.1.0" - resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-3.1.0.tgz#74d335a234f67ed19907fdadfac7ccf9d409825d" + resolved "https://registry.npmjs.org/jsesc/-/jsesc-3.1.0.tgz" integrity sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA== json-parse-even-better-errors@^2.3.0, json-parse-even-better-errors@^2.3.1: version "2.3.1" - resolved "https://registry.yarnpkg.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz#7c47805a94319928e05777405dc12e1f7a4ee02d" + resolved "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz" integrity sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w== json-schema-traverse@^1.0.0: version "1.0.0" - resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz#ae7bcb3656ab77a73ba5c49bf654f38e6b6860e2" + resolved "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz" integrity sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug== json5@^2.2.3: version "2.2.3" - resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.3.tgz#78cd6f1a19bdc12b73db5ad0c61efd66c1e29283" + resolved "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz" integrity sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg== kleur@^3.0.3: version "3.0.3" - resolved "https://registry.yarnpkg.com/kleur/-/kleur-3.0.3.tgz#a79c9ecc86ee1ce3fa6206d1216c501f147fc07e" + resolved "https://registry.npmjs.org/kleur/-/kleur-3.0.3.tgz" integrity sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w== leven@^3.1.0: version "3.1.0" - resolved "https://registry.yarnpkg.com/leven/-/leven-3.1.0.tgz#77891de834064cccba82ae7842bb6b14a13ed7f2" + resolved "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz" integrity sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A== lines-and-columns@^1.1.6: version "1.2.4" - resolved "https://registry.yarnpkg.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz#eca284f75d2965079309dc0ad9255abb2ebc1632" + resolved "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz" integrity sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg== loader-runner@^4.3.1: @@ -2587,55 +2592,55 @@ loader-runner@^4.3.1: locate-path@^5.0.0: version "5.0.0" - resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-5.0.0.tgz#1afba396afd676a6d42504d0a67a3a7eb9f62aa0" + resolved "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz" integrity sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g== dependencies: p-locate "^4.1.0" lodash.memoize@^4.1.2: version "4.1.2" - resolved "https://registry.yarnpkg.com/lodash.memoize/-/lodash.memoize-4.1.2.tgz#bcc6c49a42a2840ed997f323eada5ecd182e0bfe" + resolved "https://registry.npmjs.org/lodash.memoize/-/lodash.memoize-4.1.2.tgz" integrity sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag== lru-cache@^5.1.1: version "5.1.1" - resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920" + resolved "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz" integrity sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w== dependencies: yallist "^3.0.2" make-dir@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/make-dir/-/make-dir-4.0.0.tgz#c3c2307a771277cd9638305f915c29ae741b614e" + resolved "https://registry.npmjs.org/make-dir/-/make-dir-4.0.0.tgz" integrity sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw== dependencies: semver "^7.5.3" make-error@^1.3.6: version "1.3.6" - resolved "https://registry.yarnpkg.com/make-error/-/make-error-1.3.6.tgz#2eb2e37ea9b67c4891f684a1394799af484cf7a2" + resolved "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz" integrity sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw== makeerror@1.0.12: version "1.0.12" - resolved "https://registry.yarnpkg.com/makeerror/-/makeerror-1.0.12.tgz#3e5dd2079a82e812e983cc6610c4a2cb0eaa801a" + resolved "https://registry.npmjs.org/makeerror/-/makeerror-1.0.12.tgz" integrity sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg== dependencies: tmpl "1.0.5" math-intrinsics@^1.1.0: version "1.1.0" - resolved "https://registry.yarnpkg.com/math-intrinsics/-/math-intrinsics-1.1.0.tgz#a0dd74be81e2aa5c2f27e65ce283605ee4e2b7f9" + resolved "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz" integrity sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g== merge-stream@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60" + resolved "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz" integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== micromatch@^4.0.0, micromatch@^4.0.4: version "4.0.8" - resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.8.tgz#d66fa18f3a47076789320b9b1af32bd86d9fa202" + resolved "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz" integrity sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA== dependencies: braces "^3.0.3" @@ -2643,24 +2648,24 @@ micromatch@^4.0.0, micromatch@^4.0.4: mime-db@1.52.0: version "1.52.0" - resolved "https://registry.yarnpkg.com/mime-db/-/mime-db-1.52.0.tgz#bbabcdc02859f4987301c856e3387ce5ec43bf70" + resolved "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz" integrity sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg== mime-types@^2.1.12, mime-types@^2.1.27: version "2.1.35" - resolved "https://registry.yarnpkg.com/mime-types/-/mime-types-2.1.35.tgz#381a871b62a734450660ae3deee44813f70d959a" + resolved "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz" integrity sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw== dependencies: mime-db "1.52.0" mimic-fn@^2.1.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b" + resolved "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz" integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg== minimatch@^3.0.4, minimatch@^3.1.1: version "3.1.2" - resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b" + resolved "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz" integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== dependencies: brace-expansion "^1.1.7" @@ -2672,7 +2677,7 @@ minimist@^1.2.5: ms@^2.1.3: version "2.1.3" - resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2" + resolved "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz" integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== msw@2.11.2: @@ -2707,24 +2712,24 @@ mute-stream@^2.0.0: natural-compare@^1.4.0: version "1.4.0" - resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7" + resolved "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz" integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw== neo-async@^2.6.2: version "2.6.2" - resolved "https://registry.yarnpkg.com/neo-async/-/neo-async-2.6.2.tgz#b4aafb93e3aeb2d8174ca53cf163ab7d7308305f" + resolved "https://registry.npmjs.org/neo-async/-/neo-async-2.6.2.tgz" integrity sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw== node-fetch@^2.7.0: version "2.7.0" - resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.7.0.tgz#d0f0fa6e3e2dc1d27efcd8ad99d550bda94d187d" + resolved "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz" integrity sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A== dependencies: whatwg-url "^5.0.0" node-int64@^0.4.0: version "0.4.0" - resolved "https://registry.yarnpkg.com/node-int64/-/node-int64-0.4.0.tgz#87a9065cdb355d3182d8f94ce11188b825c68a3b" + resolved "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz" integrity sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw== node-releases@^2.0.27: @@ -2734,31 +2739,31 @@ node-releases@^2.0.27: normalize-path@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65" + resolved "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz" integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== npm-run-path@^4.0.1: version "4.0.1" - resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea" + resolved "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz" integrity sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw== dependencies: path-key "^3.0.0" nwsapi@^2.2.2: - version "2.2.23" - resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.23.tgz#59712c3a88e6de2bb0b6ccc1070397267019cf6c" - integrity sha512-7wfH4sLbt4M0gCDzGE6vzQBo0bfTKjU7Sfpqy/7gs1qBfYz2vEJH6vXcBKpO3+6Yu1telwd0t9HpyOoLEQQbIQ== + version "2.2.22" + resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.22.tgz#109f9530cda6c156d6a713cdf5939e9f0de98b9d" + integrity sha512-ujSMe1OWVn55euT1ihwCI1ZcAaAU3nxUiDwfDQldc51ZXaB9m2AyOn6/jh1BLe2t/G8xd6uKG1UBF2aZJeg2SQ== once@^1.3.0: version "1.4.0" - resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1" + resolved "https://registry.npmjs.org/once/-/once-1.4.0.tgz" integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w== dependencies: wrappy "1" onetime@^5.1.2: version "5.1.2" - resolved "https://registry.yarnpkg.com/onetime/-/onetime-5.1.2.tgz#d0e96ebb56b07476df1dd9c4806e5237985ca45e" + resolved "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz" integrity sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg== dependencies: mimic-fn "^2.1.0" @@ -2770,33 +2775,33 @@ outvariant@^1.4.0, outvariant@^1.4.3: p-limit@^2.2.0: version "2.3.0" - resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-2.3.0.tgz#3dd33c647a214fdfffd835933eb086da0dc21db1" + resolved "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz" integrity sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w== dependencies: p-try "^2.0.0" p-limit@^3.1.0: version "3.1.0" - resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b" + resolved "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz" integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ== dependencies: yocto-queue "^0.1.0" p-locate@^4.1.0: version "4.1.0" - resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-4.1.0.tgz#a3428bb7088b3a60292f66919278b7c297ad4f07" + resolved "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz" integrity sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A== dependencies: p-limit "^2.2.0" p-try@^2.0.0: version "2.2.0" - resolved "https://registry.yarnpkg.com/p-try/-/p-try-2.2.0.tgz#cb2868540e313d61de58fafbe35ce9004d5540e6" + resolved "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz" integrity sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ== parse-json@^5.2.0: version "5.2.0" - resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-5.2.0.tgz#c76fc66dee54231c962b22bcc8a72cf2f99753cd" + resolved "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz" integrity sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg== dependencies: "@babel/code-frame" "^7.0.0" @@ -2806,29 +2811,29 @@ parse-json@^5.2.0: parse5@^7.0.0, parse5@^7.1.1: version "7.3.0" - resolved "https://registry.yarnpkg.com/parse5/-/parse5-7.3.0.tgz#d7e224fa72399c7a175099f45fc2ad024b05ec05" + resolved "https://registry.npmjs.org/parse5/-/parse5-7.3.0.tgz" integrity sha512-IInvU7fabl34qmi9gY8XOVxhYyMyuH2xUNpb2q8/Y+7552KlejkRvqvD19nMoUW/uQGGbqNpA6Tufu5FL5BZgw== dependencies: entities "^6.0.0" path-exists@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3" + resolved "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz" integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w== path-is-absolute@^1.0.0: version "1.0.1" - resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f" + resolved "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz" integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg== path-key@^3.0.0, path-key@^3.1.0: version "3.1.1" - resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375" + resolved "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz" integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q== path-parse@^1.0.7: version "1.0.7" - resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735" + resolved "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz" integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw== path-to-regexp@^6.3.0: @@ -2838,29 +2843,29 @@ path-to-regexp@^6.3.0: picocolors@^1.1.1: version "1.1.1" - resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.1.1.tgz#3d321af3eab939b083c8f929a1d12cda81c26b6b" + resolved "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz" integrity sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA== picomatch@^2.0.4, picomatch@^2.2.3, picomatch@^2.3.1: version "2.3.1" - resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42" + resolved "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz" integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA== pirates@^4.0.4: version "4.0.7" - resolved "https://registry.yarnpkg.com/pirates/-/pirates-4.0.7.tgz#643b4a18c4257c8a65104b73f3049ce9a0a15e22" + resolved "https://registry.npmjs.org/pirates/-/pirates-4.0.7.tgz" integrity sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA== pkg-dir@^4.2.0: version "4.2.0" - resolved "https://registry.yarnpkg.com/pkg-dir/-/pkg-dir-4.2.0.tgz#f099133df7ede422e81d1d8448270eeb3e4261f3" + resolved "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz" integrity sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ== dependencies: find-up "^4.0.0" pretty-format@^29.0.0, pretty-format@^29.7.0: version "29.7.0" - resolved "https://registry.yarnpkg.com/pretty-format/-/pretty-format-29.7.0.tgz#ca42c758310f365bfa71a0bda0a807160b776812" + resolved "https://registry.npmjs.org/pretty-format/-/pretty-format-29.7.0.tgz" integrity sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ== dependencies: "@jest/schemas" "^29.6.3" @@ -2869,12 +2874,12 @@ pretty-format@^29.0.0, pretty-format@^29.7.0: process@^0.11.10: version "0.11.10" - resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182" + resolved "https://registry.npmjs.org/process/-/process-0.11.10.tgz" integrity sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A== prompts@^2.0.1: version "2.4.2" - resolved "https://registry.yarnpkg.com/prompts/-/prompts-2.4.2.tgz#7b57e73b3a48029ad10ebd44f74b01722a4cb069" + resolved "https://registry.npmjs.org/prompts/-/prompts-2.4.2.tgz" integrity sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q== dependencies: kleur "^3.0.3" @@ -2882,41 +2887,41 @@ prompts@^2.0.1: psl@^1.1.33: version "1.15.0" - resolved "https://registry.yarnpkg.com/psl/-/psl-1.15.0.tgz#bdace31896f1d97cec6a79e8224898ce93d974c6" + resolved "https://registry.npmjs.org/psl/-/psl-1.15.0.tgz" integrity sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w== dependencies: punycode "^2.3.1" punycode@^2.1.1, punycode@^2.3.1: version "2.3.1" - resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.1.tgz#027422e2faec0b25e1549c3e1bd8309b9133b6e5" + resolved "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz" integrity sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg== pure-rand@^6.0.0: version "6.1.0" - resolved "https://registry.yarnpkg.com/pure-rand/-/pure-rand-6.1.0.tgz#d173cf23258231976ccbdb05247c9787957604f2" + resolved "https://registry.npmjs.org/pure-rand/-/pure-rand-6.1.0.tgz" integrity sha512-bVWawvoZoBYpp6yIoQtQXHZjmz35RSVHnUOTefl8Vcjr8snTPY1wnpSPMWekcFwbxI6gtmT7rSYPFvz71ldiOA== querystringify@^2.1.1: version "2.2.0" - resolved "https://registry.yarnpkg.com/querystringify/-/querystringify-2.2.0.tgz#3345941b4153cb9d082d8eee4cda2016a9aef7f6" + resolved "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz" integrity sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ== randombytes@^2.1.0: version "2.1.0" - resolved "https://registry.yarnpkg.com/randombytes/-/randombytes-2.1.0.tgz#df6f84372f0270dc65cdf6291349ab7a473d4f2a" + resolved "https://registry.npmjs.org/randombytes/-/randombytes-2.1.0.tgz" integrity sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ== dependencies: safe-buffer "^5.1.0" react-is@^18.0.0: version "18.3.1" - resolved "https://registry.yarnpkg.com/react-is/-/react-is-18.3.1.tgz#e83557dc12eae63a99e003a46388b1dcbb44db7e" + resolved "https://registry.npmjs.org/react-is/-/react-is-18.3.1.tgz" integrity sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg== readable-stream@^4.5.2: version "4.7.0" - resolved "https://registry.yarnpkg.com/readable-stream/-/readable-stream-4.7.0.tgz#cedbd8a1146c13dfff8dab14068028d58c15ac91" + resolved "https://registry.npmjs.org/readable-stream/-/readable-stream-4.7.0.tgz" integrity sha512-oIGGmcpTLwPga8Bn6/Z75SVaH1z5dUut2ibSyAMVhmUggWpmDn2dapB0n7f8nwaSiRtepAsfJyfXIO5DCVAODg== dependencies: abort-controller "^3.0.0" @@ -2927,34 +2932,34 @@ readable-stream@^4.5.2: require-directory@^2.1.1: version "2.1.1" - resolved "https://registry.yarnpkg.com/require-directory/-/require-directory-2.1.1.tgz#8c64ad5fd30dab1c976e2344ffe7f792a6a6df42" + resolved "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz" integrity sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q== require-from-string@^2.0.2: version "2.0.2" - resolved "https://registry.yarnpkg.com/require-from-string/-/require-from-string-2.0.2.tgz#89a7fdd938261267318eafe14f9c32e598c36909" + resolved "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz" integrity sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw== requires-port@^1.0.0: version "1.0.0" - resolved "https://registry.yarnpkg.com/requires-port/-/requires-port-1.0.0.tgz#925d2601d39ac485e091cf0da5c6e694dc3dcaff" + resolved "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz" integrity sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ== resolve-cwd@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/resolve-cwd/-/resolve-cwd-3.0.0.tgz#0f0075f1bb2544766cf73ba6a6e2adfebcb13f2d" + resolved "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz" integrity sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg== dependencies: resolve-from "^5.0.0" resolve-from@^5.0.0: version "5.0.0" - resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-5.0.0.tgz#c35225843df8f776df21c57557bc087e9dfdfc69" + resolved "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz" integrity sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw== resolve.exports@^2.0.0: version "2.0.3" - resolved "https://registry.yarnpkg.com/resolve.exports/-/resolve.exports-2.0.3.tgz#41955e6f1b4013b7586f873749a635dea07ebe3f" + resolved "https://registry.npmjs.org/resolve.exports/-/resolve.exports-2.0.3.tgz" integrity sha512-OcXjMsGdhL4XnbShKpAcSqPMzQoYkYyhbEaeSko47MjRP9NfEQMhZkXL1DoFlt9LWQn4YttrdnV6X2OiyzBi+A== resolve@^1.20.0: @@ -2973,17 +2978,17 @@ rettime@^0.7.0: safe-buffer@^5.1.0, safe-buffer@~5.2.0: version "5.2.1" - resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.2.1.tgz#1eaf9fa9bdb1fdd4ec75f58f9cdb4e6b7827eec6" + resolved "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz" integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== "safer-buffer@>= 2.1.2 < 3.0.0": version "2.1.2" - resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a" + resolved "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz" integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg== saxes@^6.0.0: version "6.0.0" - resolved "https://registry.yarnpkg.com/saxes/-/saxes-6.0.0.tgz#fe5b4a4768df4f14a201b1ba6a65c1f3d9988cc5" + resolved "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz" integrity sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA== dependencies: xmlchars "^2.2.0" @@ -3000,7 +3005,7 @@ schema-utils@^4.3.0, schema-utils@^4.3.3: semver@^6.3.0, semver@^6.3.1: version "6.3.1" - resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.1.tgz#556d2ef8689146e46dcea4bfdd095f3434dffcb4" + resolved "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz" integrity sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA== semver@^7.3.4, semver@^7.5.3, semver@^7.5.4, semver@^7.7.3: @@ -3010,26 +3015,26 @@ semver@^7.3.4, semver@^7.5.3, semver@^7.5.4, semver@^7.7.3: serialize-javascript@^6.0.2: version "6.0.2" - resolved "https://registry.yarnpkg.com/serialize-javascript/-/serialize-javascript-6.0.2.tgz#defa1e055c83bf6d59ea805d8da862254eb6a6c2" + resolved "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-6.0.2.tgz" integrity sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g== dependencies: randombytes "^2.1.0" shebang-command@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea" + resolved "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz" integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA== dependencies: shebang-regex "^3.0.0" shebang-regex@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172" + resolved "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz" integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== signal-exit@^3.0.3, signal-exit@^3.0.7: version "3.0.7" - resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9" + resolved "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz" integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ== signal-exit@^4.1.0: @@ -3039,17 +3044,17 @@ signal-exit@^4.1.0: sisteransi@^1.0.5: version "1.0.5" - resolved "https://registry.yarnpkg.com/sisteransi/-/sisteransi-1.0.5.tgz#134d681297756437cc05ca01370d3a7a571075ed" + resolved "https://registry.npmjs.org/sisteransi/-/sisteransi-1.0.5.tgz" integrity sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg== slash@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634" + resolved "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz" integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q== source-map-support@0.5.13: version "0.5.13" - resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.13.tgz#31b24a9c2e73c2de85066c0feb7d44767ed52932" + resolved "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.13.tgz" integrity sha512-SHSKFHadjVA5oR4PPqhtAVdcBWwRYVd6g6cAXnIbRiIwc2EhPrTuKUBdSLvlEKyIP3GCf89fltvcZiP9MMFA1w== dependencies: buffer-from "^1.0.0" @@ -3057,7 +3062,7 @@ source-map-support@0.5.13: source-map-support@~0.5.20: version "0.5.21" - resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.21.tgz#04fe7c7f9e1ed2d662233c28cb2b35b9f63f6e4f" + resolved "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz" integrity sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w== dependencies: buffer-from "^1.0.0" @@ -3065,22 +3070,22 @@ source-map-support@~0.5.20: source-map@^0.6.0, source-map@^0.6.1, source-map@~0.6.1: version "0.6.1" - resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.6.1.tgz#74722af32e9614e9c287a8d0bbde48b5e2f1a263" + resolved "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz" integrity sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g== source-map@^0.7.4: version "0.7.6" - resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.7.6.tgz#a3658ab87e5b6429c8a1f3ba0083d4c61ca3ef02" + resolved "https://registry.npmjs.org/source-map/-/source-map-0.7.6.tgz" integrity sha512-i5uvt8C3ikiWeNZSVZNWcfZPItFQOsYTUAOkcUPGd8DqDy1uOUikjt5dG+uRlwyvR108Fb9DOd4GvXfT0N2/uQ== sprintf-js@~1.0.2: version "1.0.3" - resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c" + resolved "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz" integrity sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g== stack-utils@^2.0.3: version "2.0.6" - resolved "https://registry.yarnpkg.com/stack-utils/-/stack-utils-2.0.6.tgz#aaf0748169c02fc33c8232abccf933f54a1cc34f" + resolved "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.6.tgz" integrity sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ== dependencies: escape-string-regexp "^2.0.0" @@ -3097,7 +3102,7 @@ strict-event-emitter@^0.5.1: string-length@^4.0.1: version "4.0.2" - resolved "https://registry.yarnpkg.com/string-length/-/string-length-4.0.2.tgz#a8a8dc7bd5c1a82b9b3c8b87e125f66871b6e57a" + resolved "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz" integrity sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ== dependencies: char-regex "^1.0.2" @@ -3105,7 +3110,7 @@ string-length@^4.0.1: string-width@^4.1.0, string-width@^4.2.0, string-width@^4.2.3: version "4.2.3" - resolved "https://registry.yarnpkg.com/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010" + resolved "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz" integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g== dependencies: emoji-regex "^8.0.0" @@ -3114,55 +3119,55 @@ string-width@^4.1.0, string-width@^4.2.0, string-width@^4.2.3: string_decoder@^1.3.0: version "1.3.0" - resolved "https://registry.yarnpkg.com/string_decoder/-/string_decoder-1.3.0.tgz#42f114594a46cf1a8e30b0a84f56c78c3edac21e" + resolved "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz" integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== dependencies: safe-buffer "~5.2.0" strip-ansi@^6.0.0, strip-ansi@^6.0.1: version "6.0.1" - resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9" + resolved "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz" integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A== dependencies: ansi-regex "^5.0.1" strip-bom@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-4.0.0.tgz#9c3505c1db45bcedca3d9cf7a16f5c5aa3901878" + resolved "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz" integrity sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w== strip-final-newline@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz#89b852fb2fcbe936f6f4b3187afb0a12c1ab58ad" + resolved "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz" integrity sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA== strip-json-comments@^3.1.1: version "3.1.1" - resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006" + resolved "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz" integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig== supports-color@^7.1.0: version "7.2.0" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da" + resolved "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz" integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw== dependencies: has-flag "^4.0.0" supports-color@^8.0.0: version "8.1.1" - resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-8.1.1.tgz#cd6fc17e28500cff56c1b86c0a7fd4a54a73005c" + resolved "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz" integrity sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q== dependencies: has-flag "^4.0.0" supports-preserve-symlinks-flag@^1.0.0: version "1.0.0" - resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09" + resolved "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz" integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w== symbol-tree@^3.2.4: version "3.2.4" - resolved "https://registry.yarnpkg.com/symbol-tree/-/symbol-tree-3.2.4.tgz#430637d248ba77e078883951fb9aa0eed7c63fa2" + resolved "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz" integrity sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw== tapable@^2.2.0, tapable@^2.3.0: @@ -3193,7 +3198,7 @@ terser@^5.31.1: test-exclude@^6.0.0: version "6.0.0" - resolved "https://registry.yarnpkg.com/test-exclude/-/test-exclude-6.0.0.tgz#04a8698661d805ea6fa293b6cb9e63ac044ef15e" + resolved "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz" integrity sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w== dependencies: "@istanbuljs/schema" "^0.1.2" @@ -3214,19 +3219,19 @@ tldts@^7.0.5: tmpl@1.0.5: version "1.0.5" - resolved "https://registry.yarnpkg.com/tmpl/-/tmpl-1.0.5.tgz#8683e0b902bb9c20c4f726e3c0b69f36518c07cc" + resolved "https://registry.npmjs.org/tmpl/-/tmpl-1.0.5.tgz" integrity sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw== to-regex-range@^5.0.1: version "5.0.1" - resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4" + resolved "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz" integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== dependencies: is-number "^7.0.0" tough-cookie@^4.1.2: version "4.1.4" - resolved "https://registry.yarnpkg.com/tough-cookie/-/tough-cookie-4.1.4.tgz#945f1461b45b5a8c76821c33ea49c3ac192c1b36" + resolved "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.4.tgz" integrity sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag== dependencies: psl "^1.1.33" @@ -3243,14 +3248,14 @@ tough-cookie@^6.0.0: tr46@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/tr46/-/tr46-3.0.0.tgz#555c4e297a950617e8eeddef633c87d4d9d6cbf9" + resolved "https://registry.npmjs.org/tr46/-/tr46-3.0.0.tgz" integrity sha512-l7FvfAHlcmulp8kr+flpQZmVwtu7nfRV7NZujtN0OqES8EL4O4e0qqzL0DC5gAvx/ZC/9lk6rhcUwYvkBnBnYA== dependencies: punycode "^2.1.1" tr46@~0.0.3: version "0.0.3" - resolved "https://registry.yarnpkg.com/tr46/-/tr46-0.0.3.tgz#8184fd347dac9cdc185992f3a6622e14b9d9ab6a" + resolved "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz" integrity sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw== ts-jest@^29.3.4: @@ -3281,22 +3286,22 @@ ts-loader@^9.5.1: type-detect@4.0.8: version "4.0.8" - resolved "https://registry.yarnpkg.com/type-detect/-/type-detect-4.0.8.tgz#7646fb5f18871cfbb7749e69bd39a6388eb7450c" + resolved "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz" integrity sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g== type-fest@^0.21.3: version "0.21.3" - resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.21.3.tgz#d260a24b0198436e133fa26a524a6d65fa3b2e37" + resolved "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz" integrity sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w== type-fest@^4.26.1, type-fest@^4.41.0: version "4.41.0" - resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-4.41.0.tgz#6ae1c8e5731273c2bf1f58ad39cbae2c91a46c58" + resolved "https://registry.npmjs.org/type-fest/-/type-fest-4.41.0.tgz" integrity sha512-TeTSQ6H5YHvpqVwBRcnLDCBnDOHWYu7IvGbHT6N8AOymcr9PJGjc1GTtiWZTYg0NCgYwvnYWEkVChQAr9bjfwA== typescript@~5.7.2: version "5.7.3" - resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.7.3.tgz#919b44a7dbb8583a9b856d162be24a54bf80073e" + resolved "https://registry.npmjs.org/typescript/-/typescript-5.7.3.tgz" integrity sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw== uglify-js@^3.1.4: @@ -3306,7 +3311,7 @@ uglify-js@^3.1.4: undici-types@~5.26.4: version "5.26.5" - resolved "https://registry.yarnpkg.com/undici-types/-/undici-types-5.26.5.tgz#bcd539893d00b56e964fd2657a4866b221a65617" + resolved "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz" integrity sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA== undici-types@~7.16.0: @@ -3316,7 +3321,7 @@ undici-types@~7.16.0: universalify@^0.2.0: version "0.2.0" - resolved "https://registry.yarnpkg.com/universalify/-/universalify-0.2.0.tgz#6451760566fa857534745ab1dde952d1b1761be0" + resolved "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz" integrity sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg== update-browserslist-db@^1.2.0: @@ -3329,7 +3334,7 @@ update-browserslist-db@^1.2.0: url-parse@^1.5.3: version "1.5.10" - resolved "https://registry.yarnpkg.com/url-parse/-/url-parse-1.5.10.tgz#9d3c2f736c1d75dd3bd2be507dcc111f1e2ea9c1" + resolved "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz" integrity sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ== dependencies: querystringify "^2.1.1" @@ -3337,7 +3342,7 @@ url-parse@^1.5.3: v8-to-istanbul@^9.0.1: version "9.3.0" - resolved "https://registry.yarnpkg.com/v8-to-istanbul/-/v8-to-istanbul-9.3.0.tgz#b9572abfa62bd556c16d75fdebc1a411d5ff3175" + resolved "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-9.3.0.tgz" integrity sha512-kiGUalWN+rgBJ/1OHZsBtU4rXZOfj/7rKQxULKlIzwzQSvMJUUNgPwJEEh7gU6xEVxC0ahoOBvN2YI8GH6FNgA== dependencies: "@jridgewell/trace-mapping" "^0.3.12" @@ -3346,14 +3351,14 @@ v8-to-istanbul@^9.0.1: w3c-xmlserializer@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/w3c-xmlserializer/-/w3c-xmlserializer-4.0.0.tgz#aebdc84920d806222936e3cdce408e32488a3073" + resolved "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-4.0.0.tgz" integrity sha512-d+BFHzbiCx6zGfz0HyQ6Rg69w9k19nviJspaj4yNscGjrHu94sVP+aRm75yEbCh+r2/yR+7q6hux9LVtbuTGBw== dependencies: xml-name-validator "^4.0.0" walker@^1.0.8: version "1.0.8" - resolved "https://registry.yarnpkg.com/walker/-/walker-1.0.8.tgz#bd498db477afe573dc04185f011d3ab8a8d7653f" + resolved "https://registry.npmjs.org/walker/-/walker-1.0.8.tgz" integrity sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ== dependencies: makeerror "1.0.12" @@ -3368,17 +3373,17 @@ watchpack@^2.4.4: webidl-conversions@^3.0.0: version "3.0.1" - resolved "https://registry.yarnpkg.com/webidl-conversions/-/webidl-conversions-3.0.1.tgz#24534275e2a7bc6be7bc86611cc16ae0a5654871" + resolved "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz" integrity sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ== webidl-conversions@^7.0.0: version "7.0.0" - resolved "https://registry.yarnpkg.com/webidl-conversions/-/webidl-conversions-7.0.0.tgz#256b4e1882be7debbf01d05f0aa2039778ea080a" + resolved "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz" integrity sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g== webpack-sources@^3.3.3: version "3.3.3" - resolved "https://registry.yarnpkg.com/webpack-sources/-/webpack-sources-3.3.3.tgz#d4bf7f9909675d7a070ff14d0ef2a4f3c982c723" + resolved "https://registry.npmjs.org/webpack-sources/-/webpack-sources-3.3.3.tgz" integrity sha512-yd1RBzSGanHkitROoPFd6qsrxt+oFhg/129YzheDGqeustzX0vTZJZsSsQjVQC4yzBQ56K55XU8gaNCtIzOnTg== webpack@^5.97.1: @@ -3414,19 +3419,19 @@ webpack@^5.97.1: whatwg-encoding@^2.0.0: version "2.0.0" - resolved "https://registry.yarnpkg.com/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz#e7635f597fd87020858626805a2729fa7698ac53" + resolved "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz" integrity sha512-p41ogyeMUrw3jWclHWTQg1k05DSVXPLcVxRTYsXUk+ZooOCZLcoYgPZ/HL/D/N+uQPOtcp1me1WhBEaX02mhWg== dependencies: iconv-lite "0.6.3" whatwg-mimetype@^3.0.0: version "3.0.0" - resolved "https://registry.yarnpkg.com/whatwg-mimetype/-/whatwg-mimetype-3.0.0.tgz#5fa1a7623867ff1af6ca3dc72ad6b8a4208beba7" + resolved "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-3.0.0.tgz" integrity sha512-nt+N2dzIutVRxARx1nghPKGv1xHikU7HKdfafKkLNLindmPU/ch3U31NOCGGA/dmPcmb1VlofO0vnKAcsm0o/Q== whatwg-url@^11.0.0: version "11.0.0" - resolved "https://registry.yarnpkg.com/whatwg-url/-/whatwg-url-11.0.0.tgz#0a849eebb5faf2119b901bb76fd795c2848d4018" + resolved "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz" integrity sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ== dependencies: tr46 "^3.0.0" @@ -3434,7 +3439,7 @@ whatwg-url@^11.0.0: whatwg-url@^5.0.0: version "5.0.0" - resolved "https://registry.yarnpkg.com/whatwg-url/-/whatwg-url-5.0.0.tgz#966454e8765462e37644d3626f6742ce8b70965d" + resolved "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz" integrity sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw== dependencies: tr46 "~0.0.3" @@ -3442,7 +3447,7 @@ whatwg-url@^5.0.0: which@^2.0.1: version "2.0.2" - resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1" + resolved "https://registry.npmjs.org/which/-/which-2.0.2.tgz" integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA== dependencies: isexe "^2.0.0" @@ -3463,7 +3468,7 @@ wrap-ansi@^6.2.0: wrap-ansi@^7.0.0: version "7.0.0" - resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-7.0.0.tgz#67e145cff510a6a6984bdf1152911d69d2eb9e43" + resolved "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz" integrity sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q== dependencies: ansi-styles "^4.0.0" @@ -3472,12 +3477,12 @@ wrap-ansi@^7.0.0: wrappy@1: version "1.0.2" - resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f" + resolved "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz" integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ== write-file-atomic@^4.0.2: version "4.0.2" - resolved "https://registry.yarnpkg.com/write-file-atomic/-/write-file-atomic-4.0.2.tgz#a9df01ae5b77858a027fd2e80768ee433555fcfd" + resolved "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.2.tgz" integrity sha512-7KxauUdBmSdWnmpaGFg+ppNjKF8uNLry8LyzjauQDOVONfFLNKrKvQOxZ/VuTIcS/gge/YNahf5RIIQWTSarlg== dependencies: imurmurhash "^0.1.4" @@ -3485,37 +3490,37 @@ write-file-atomic@^4.0.2: ws@^8.11.0: version "8.18.3" - resolved "https://registry.yarnpkg.com/ws/-/ws-8.18.3.tgz#b56b88abffde62791c639170400c93dcb0c95472" + resolved "https://registry.npmjs.org/ws/-/ws-8.18.3.tgz" integrity sha512-PEIGCY5tSlUt50cqyMXfCzX+oOPqN0vuGqWzbcJ2xvnkzkq46oOpz7dQaTDBdfICb4N14+GARUDw2XV2N4tvzg== xml-name-validator@^4.0.0: version "4.0.0" - resolved "https://registry.yarnpkg.com/xml-name-validator/-/xml-name-validator-4.0.0.tgz#79a006e2e63149a8600f15430f0a4725d1524835" + resolved "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-4.0.0.tgz" integrity sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw== xmlchars@^2.2.0: version "2.2.0" - resolved "https://registry.yarnpkg.com/xmlchars/-/xmlchars-2.2.0.tgz#060fe1bcb7f9c76fe2a17db86a9bc3ab894210cb" + resolved "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz" integrity sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw== y18n@^5.0.5: version "5.0.8" - resolved "https://registry.yarnpkg.com/y18n/-/y18n-5.0.8.tgz#7f4934d0f7ca8c56f95314939ddcd2dd91ce1d55" + resolved "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz" integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA== yallist@^3.0.2: version "3.1.1" - resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd" + resolved "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz" integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g== yargs-parser@^21.1.1: version "21.1.1" - resolved "https://registry.yarnpkg.com/yargs-parser/-/yargs-parser-21.1.1.tgz#9096bceebf990d21bb31fa9516e0ede294a77d35" + resolved "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz" integrity sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw== yargs@^17.3.1, yargs@^17.7.2: version "17.7.2" - resolved "https://registry.yarnpkg.com/yargs/-/yargs-17.7.2.tgz#991df39aca675a192b816e1e0363f9d75d2aa269" + resolved "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz" integrity sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w== dependencies: cliui "^8.0.1" @@ -3528,7 +3533,7 @@ yargs@^17.3.1, yargs@^17.7.2: yocto-queue@^0.1.0: version "0.1.0" - resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b" + resolved "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz" integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q== yoctocolors-cjs@^2.1.3: From 713d73cffdb50a998492c90a963e29b0879fbe3f Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Fri, 5 Dec 2025 11:26:50 -0700 Subject: [PATCH 03/21] add redis cache option and refactor cache functionality --- package-lock.json | 84 +++++++- src/cache/index.ts | 8 + src/{cache.test.ts => cache/local.test.ts} | 8 +- src/{cache.ts => cache/local.ts} | 43 ++-- src/cache/redis.ts | 218 +++++++++++++++++++++ src/cache/types.ts | 20 ++ src/index.ts | 3 +- src/wrapper.ts | 2 +- yarn.lock | 81 ++++---- 9 files changed, 413 insertions(+), 54 deletions(-) create mode 100644 src/cache/index.ts rename src/{cache.test.ts => cache/local.test.ts} (94%) rename src/{cache.ts => cache/local.ts} (79%) create mode 100644 src/cache/redis.ts create mode 100644 src/cache/types.ts diff --git a/package-lock.json b/package-lock.json index 75713736..d33964cd 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,12 +1,13 @@ { "name": "@schematichq/schematic-typescript-node", - "version": "1.2.4", + "version": "1.3.0", "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "@schematichq/schematic-typescript-node", - "version": "1.2.4", + "version": "1.3.0", + "license": "MIT", "dependencies": { "@types/ws": "^8.18.1", "form-data": "^4.0.4", @@ -14,6 +15,7 @@ "node-fetch": "^2.7.0", "qs": "^6.13.1", "readable-stream": "^4.5.2", + "redis": "^5.10.0", "url-join": "4.0.1", "ws": "^8.18.3" }, @@ -1010,6 +1012,61 @@ "@jridgewell/sourcemap-codec": "^1.4.14" } }, + "node_modules/@redis/bloom": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/@redis/bloom/-/bloom-5.10.0.tgz", + "integrity": "sha512-doIF37ob+l47n0rkpRNgU8n4iacBlKM9xLiP1LtTZTvz8TloJB8qx/MgvhMhKdYG+CvCY2aPBnN2706izFn/4A==", + "engines": { + "node": ">= 18" + }, + "peerDependencies": { + "@redis/client": "^5.10.0" + } + }, + "node_modules/@redis/client": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/@redis/client/-/client-5.10.0.tgz", + "integrity": "sha512-JXmM4XCoso6C75Mr3lhKA3eNxSzkYi3nCzxDIKY+YOszYsJjuKbFgVtguVPbLMOttN4iu2fXoc2BGhdnYhIOxA==", + "dependencies": { + "cluster-key-slot": "1.1.2" + }, + "engines": { + "node": ">= 18" + } + }, + "node_modules/@redis/json": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/@redis/json/-/json-5.10.0.tgz", + "integrity": "sha512-B2G8XlOmTPUuZtD44EMGbtoepQG34RCDXLZbjrtON1Djet0t5Ri7/YPXvL9aomXqP8lLTreaprtyLKF4tmXEEA==", + "engines": { + "node": ">= 18" + }, + "peerDependencies": { + "@redis/client": "^5.10.0" + } + }, + "node_modules/@redis/search": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/@redis/search/-/search-5.10.0.tgz", + "integrity": "sha512-3SVcPswoSfp2HnmWbAGUzlbUPn7fOohVu2weUQ0S+EMiQi8jwjL+aN2p6V3TI65eNfVsJ8vyPvqWklm6H6esmg==", + "engines": { + "node": ">= 18" + }, + "peerDependencies": { + "@redis/client": "^5.10.0" + } + }, + "node_modules/@redis/time-series": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/@redis/time-series/-/time-series-5.10.0.tgz", + "integrity": "sha512-cPkpddXH5kc/SdRhF0YG0qtjL+noqFT0AcHbQ6axhsPsO7iqPi1cjxgdkE9TNeKiBUUdCaU1DbqkR/LzbzPBhg==", + "engines": { + "node": ">= 18" + }, + "peerDependencies": { + "@redis/client": "^5.10.0" + } + }, "node_modules/@sinclair/typebox": { "version": "0.27.8", "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.27.8.tgz", @@ -2118,6 +2175,14 @@ "node": ">=12" } }, + "node_modules/cluster-key-slot": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/cluster-key-slot/-/cluster-key-slot-1.1.2.tgz", + "integrity": "sha512-RMr0FhtfXemyinomL4hrWcYJxmX6deFdCxpJzhDttxgO1+bcCnkk+9drydLVDmAMG7NE6aN/fl4F7ucU/90gAA==", + "engines": { + "node": ">=0.10.0" + } + }, "node_modules/co": { "version": "4.6.0", "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", @@ -4835,6 +4900,21 @@ "node": "^12.22.0 || ^14.17.0 || >=16.0.0" } }, + "node_modules/redis": { + "version": "5.10.0", + "resolved": "https://registry.npmjs.org/redis/-/redis-5.10.0.tgz", + "integrity": "sha512-0/Y+7IEiTgVGPrLFKy8oAEArSyEJkU0zvgV5xyi9NzNQ+SLZmyFbUsWIbgPcd4UdUh00opXGKlXJwMmsis5Byw==", + "dependencies": { + "@redis/bloom": "5.10.0", + "@redis/client": "5.10.0", + "@redis/json": "5.10.0", + "@redis/search": "5.10.0", + "@redis/time-series": "5.10.0" + }, + "engines": { + "node": ">= 18" + } + }, "node_modules/require-directory": { "version": "2.1.1", "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", diff --git a/src/cache/index.ts b/src/cache/index.ts new file mode 100644 index 00000000..ac6ae9bd --- /dev/null +++ b/src/cache/index.ts @@ -0,0 +1,8 @@ +// Cache interfaces and types +export { type CacheProvider, type CacheOptions } from "./types"; + +// Memory cache implementation +export { LocalCache } from "./local"; + +// Redis cache implementation (requires 'redis' package) +export { RedisCacheProvider, type RedisOptions } from "./redis"; \ No newline at end of file diff --git a/src/cache.test.ts b/src/cache/local.test.ts similarity index 94% rename from src/cache.test.ts rename to src/cache/local.test.ts index fe31f5e3..d12b3c34 100644 --- a/src/cache.test.ts +++ b/src/cache/local.test.ts @@ -1,6 +1,6 @@ /* eslint @typescript-eslint/no-explicit-any: 0 */ -import { LocalCache } from "./cache"; +import { LocalCache } from "./local"; jest.useFakeTimers(); @@ -26,7 +26,7 @@ describe("LocalCache", () => { await cache.set("key1", { data: "value1" }, 1000); // TTL: 1 second jest.advanceTimersByTime(1001); // Advance time by 1 second and 1 millisecond const value = await cache.get("key1"); - expect(value).toBeUndefined(); + expect(value).toBeNull(); }); it("should evict least recently used item when maxItems is exceeded", async () => { @@ -50,7 +50,7 @@ describe("LocalCache", () => { const value4 = await smallCache.get("key4"); expect(value1).toEqual({ data: "value1" }); - expect(value2).toBeUndefined(); // key2 should be evicted + expect(value2).toBeNull(); // key2 should be evicted expect(value3).toEqual({ data: "value3" }); expect(value4).toEqual({ data: "value4" }); smallCache.resetCache(); @@ -83,7 +83,7 @@ describe("LocalCache", () => { const zeroItemCache = new LocalCache({ maxItems: 0 }); await zeroItemCache.set("key1", { data: "value1" }); const value = await zeroItemCache.get("key1"); - expect(value).toBeUndefined(); + expect(value).toBeNull(); zeroItemCache.resetCache(); }); diff --git a/src/cache.ts b/src/cache/local.ts similarity index 79% rename from src/cache.ts rename to src/cache/local.ts index 57b6b618..84286996 100644 --- a/src/cache.ts +++ b/src/cache/local.ts @@ -1,9 +1,5 @@ import { setTimeout, clearTimeout } from "timers"; - -interface CacheProvider { - get(key: string): Promise; - set(key: string, value: T, ttlOverride?: number): Promise; -} +import { CacheProvider, CacheOptions } from "./types"; type CacheItem = { value: T; @@ -12,11 +8,9 @@ type CacheItem = { timeoutId?: ReturnType; }; -export interface CacheOptions { - maxItems?: number; - ttl?: number; -} - +/** + * In-memory cache implementation with LRU eviction and TTL support + */ class LocalCache implements CacheProvider { private cache: Map>; private maxItems: number; @@ -29,14 +23,14 @@ class LocalCache implements CacheProvider { this.defaultTTL = ttl; } - async get(key: string): Promise { + async get(key: string): Promise { const item = this.cache.get(key); - if (!item) return undefined; + if (!item) return null; // Check if the item has expired if (item.expiration <= Date.now()) { this.evictItem(key, item); - return undefined; + return null; } // Update the access counter for LRU eviction @@ -78,6 +72,22 @@ class LocalCache implements CacheProvider { this.cache.set(key, newItem); } + async delete(key: string): Promise { + const item = this.cache.get(key); + if (item) { + this.evictItem(key, item); + } + } + + async deleteMissing(keysToKeep: string[]): Promise { + const keysToKeepSet = new Set(keysToKeep); + for (const [key, item] of this.cache) { + if (!keysToKeepSet.has(key)) { + this.evictItem(key, item); + } + } + } + resetCache(): void { this.cache.forEach((item) => { if (item.timeoutId) { @@ -88,6 +98,13 @@ class LocalCache implements CacheProvider { this.accessCounter = 0; } + /** + * Clear all items from the cache (alias for resetCache) + */ + clear(): void { + this.resetCache(); + } + private evictItem(key: string, item: CacheItem): void { if (item.timeoutId) { clearTimeout(item.timeoutId); diff --git a/src/cache/redis.ts b/src/cache/redis.ts new file mode 100644 index 00000000..33ee15f8 --- /dev/null +++ b/src/cache/redis.ts @@ -0,0 +1,218 @@ +import { CacheProvider, CacheOptions } from "./types"; + +export interface RedisOptions extends CacheOptions { + /** Redis connection URL (e.g., 'redis://localhost:6379') */ + url?: string; + /** Redis host (default: 'localhost') */ + host?: string; + /** Redis port (default: 6379) */ + port?: number; + /** Redis password */ + password?: string; + /** Redis database number (default: 0) */ + db?: number; + /** Redis key prefix for all cache keys (default: 'schematic:') */ + keyPrefix?: string; +} + +/** + * Redis-based cache provider implementation + * Requires the 'redis' package to be installed: npm install redis + */ +export class RedisCacheProvider implements CacheProvider { + private client: any; // Redis client type + private defaultTTL: number; + private keyPrefix: string; + private isConnected: boolean = false; + + constructor(options: RedisOptions = {}) { + this.defaultTTL = Math.floor((options.ttl || 5000) / 1000); // Convert to seconds for Redis + this.keyPrefix = options.keyPrefix || 'schematic:'; + + // Dynamically import Redis to avoid requiring it if not used + this.initRedisClient(options); + } + + private async initRedisClient(options: RedisOptions): Promise { + try { + // Try to dynamically import redis using eval to avoid TypeScript compilation errors + const redisModule = await eval(`import('redis')`); + const { createClient } = redisModule; + + let clientConfig: any = {}; + + if (options.url) { + clientConfig.url = options.url; + } else { + clientConfig.socket = { + host: options.host || 'localhost', + port: options.port || 6379, + }; + + if (options.password) { + clientConfig.password = options.password; + } + + if (options.db !== undefined) { + clientConfig.database = options.db; + } + } + + this.client = createClient(clientConfig); + + this.client.on('error', (err: Error) => { + console.error('Redis Client Error:', err); + this.isConnected = false; + }); + + this.client.on('connect', () => { + this.isConnected = true; + }); + + this.client.on('disconnect', () => { + this.isConnected = false; + }); + + await this.client.connect(); + + } catch (error) { + throw new Error( + 'Redis package not found. Please install it with: npm install redis\n' + + 'Original error: ' + (error as Error).message + ); + } + } + + private getFullKey(key: string): string { + return this.keyPrefix + key; + } + + async get(key: string): Promise { + if (!this.isConnected || !this.client) { + console.log(`Debug: Redis not connected (connected: ${this.isConnected}, client: ${!!this.client}) for key: ${key}`); + return null; + } + + try { + const fullKey = this.getFullKey(key); + console.log(`Debug: Redis GET attempt - key: ${key}, fullKey: ${fullKey}, port: ${this.client.options?.socket?.port || 'unknown'}`); + const value = await this.client.get(fullKey); + + if (value === null) { + console.log(`Debug: Redis GET result - key not found: ${fullKey}`); + return null; + } + + console.log(`Debug: Redis GET result - key found: ${fullKey}`); + return JSON.parse(value) as T; + } catch (error) { + console.error('Redis get error:', error); + return null; + } + } + + async set(key: string, value: T, ttl?: number): Promise { + if (!this.isConnected || !this.client) { + return; + } + + try { + const fullKey = this.getFullKey(key); + const serializedValue = JSON.stringify(value); + const actualTTL = ttl ? Math.floor(ttl / 1000) : this.defaultTTL; + + if (actualTTL > 0) { + await this.client.setEx(fullKey, actualTTL, serializedValue); + } else { + await this.client.set(fullKey, serializedValue); + } + } catch (error) { + console.error('Redis set error:', error); + } + } + + async delete(key: string): Promise { + if (!this.isConnected || !this.client) { + return; + } + + try { + const fullKey = this.getFullKey(key); + await this.client.del(fullKey); + } catch (error) { + console.error('Redis delete error:', error); + } + } + + async deleteMissing(keysToKeep: string[]): Promise { + if (!this.isConnected || !this.client) { + return; + } + + try { + // Get all keys with our prefix + const pattern = this.keyPrefix + '*'; + const allKeys = await this.client.keys(pattern); + + if (allKeys.length === 0) { + return; + } + + // Convert keysToKeep to full keys + const fullKeysToKeep = new Set(keysToKeep.map(k => this.getFullKey(k))); + + // Find keys to delete + const keysToDelete = allKeys.filter((key: string) => !fullKeysToKeep.has(key)); + + if (keysToDelete.length > 0) { + await this.client.del(keysToDelete); + } + } catch (error) { + console.error('Redis deleteMissing error:', error); + } + } + + /** + * Reset all keys with our prefix (implements resetCache) + */ + resetCache(): void { + this.clear().catch(console.error); + } + + /** + * Clear all keys with our prefix + */ + async clear(): Promise { + if (!this.isConnected || !this.client) { + return; + } + + try { + const pattern = this.keyPrefix + '*'; + const keys = await this.client.keys(pattern); + + if (keys.length > 0) { + await this.client.del(keys); + } + } catch (error) { + console.error('Redis clear error:', error); + } + } + + /** + * Close the Redis connection + */ + async close(): Promise { + if (this.client) { + await this.client.quit(); + this.isConnected = false; + } + } + + /** + * Check if the Redis client is connected + */ + isReady(): boolean { + return this.isConnected; + } +} \ No newline at end of file diff --git a/src/cache/types.ts b/src/cache/types.ts new file mode 100644 index 00000000..d3266c48 --- /dev/null +++ b/src/cache/types.ts @@ -0,0 +1,20 @@ +/** + * Cache provider interface for storing and retrieving entities + */ +export interface CacheProvider { + /** Get a value from cache */ + get(key: string): Promise; + /** Set a value in cache */ + set(key: string, value: T, ttl?: number): Promise; + /** Delete a value from cache */ + delete(key: string): Promise; + /** Delete all keys not in the keysToKeep array (optional, for bulk operations) */ + deleteMissing?(keysToKeep: string[]): Promise; + /** Reset/clear the entire cache */ + resetCache?(): void; +} + +export interface CacheOptions { + maxItems?: number; + ttl?: number; +} \ No newline at end of file diff --git a/src/index.ts b/src/index.ts index 26a9cd8b..3a9407ec 100644 --- a/src/index.ts +++ b/src/index.ts @@ -1,5 +1,6 @@ export * as Schematic from "./api"; -export { LocalCache } from "./cache"; +export { LocalCache } from "./cache/local"; +export { RedisCacheProvider } from "./cache/redis"; export { SchematicClient } from "./wrapper"; export { SchematicEnvironment } from "./environments"; export { SchematicError, SchematicTimeoutError } from "./errors"; diff --git a/src/wrapper.ts b/src/wrapper.ts index e5fdbedb..4000f552 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -1,7 +1,7 @@ import * as api from "./api"; import { SchematicClient as BaseClient } from "./Client"; -import { CacheProvider, LocalCache } from "./cache"; +import { type CacheProvider, LocalCache } from "./cache"; import { ConsoleLogger, Logger } from "./logger"; import { EventBuffer } from "./events"; import { offlineFetcher, provideFetcher } from "./core/fetcher/custom"; diff --git a/yarn.lock b/yarn.lock index 0285d9bd..e5c76428 100644 --- a/yarn.lock +++ b/yarn.lock @@ -1215,6 +1215,11 @@ argparse@^1.0.7: dependencies: sprintf-js "~1.0.2" +async@^3.2.6: + version "3.2.6" + resolved "https://registry.yarnpkg.com/async/-/async-3.2.6.tgz#1b0728e14929d51b85b449b7f06e27c1145e38ce" + integrity sha512-htCUDlxyyCLMgaM3xXg0C0LW2xqfuQ6p05pCEIsXuyQ+a1koYKTuBMzRNwmybfLgvJDMd0r1LTn4+E0Ti6C2AA== + asynckit@^0.4.0: version "0.4.0" resolved "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz" @@ -1306,6 +1311,13 @@ brace-expansion@^1.1.7: balanced-match "^1.0.0" concat-map "0.0.1" +brace-expansion@^2.0.1: + version "2.0.2" + resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-2.0.2.tgz#54fc53237a613d854c7bd37463aad17df87214e7" + integrity sha512-Jt0vHyM+jmUBqojB7E1NIYadt0vI0Qxjxd2TErW94wDz+E2LAm5vKMXXwg6ZZBTHPuUlDgQHKXvjGBdfcF1ZDQ== + dependencies: + balanced-match "^1.0.0" + braces@^3.0.3: version "3.0.3" resolved "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz" @@ -1571,6 +1583,13 @@ dunder-proto@^1.0.1: es-errors "^1.3.0" gopd "^1.2.0" +ejs@^3.1.10: + version "3.1.10" + resolved "https://registry.yarnpkg.com/ejs/-/ejs-3.1.10.tgz#69ab8358b14e896f80cc39e62087b88500c3ac3b" + integrity sha512-UeJmFfOrAQS8OJWPZ4qtgHyWExa088/MtK5UEyoJGFH67cDEXkZSviOiKRCZ4Xij0zxI3JECgYs3oKx+AizQBA== + dependencies: + jake "^10.8.5" + electron-to-chromium@^1.5.263: version "1.5.267" resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.5.267.tgz#5d84f2df8cdb6bfe7e873706bb21bd4bfb574dc7" @@ -1789,6 +1808,13 @@ fb-watchman@^2.0.0: dependencies: bser "2.1.1" +filelist@^1.0.4: + version "1.0.4" + resolved "https://registry.yarnpkg.com/filelist/-/filelist-1.0.4.tgz#f78978a1e944775ff9e62e744424f215e58352b5" + integrity sha512-w1cEuf3S+DrLCQL7ET6kz+gmlJdbq9J7yXCSjK/OZCPA+qEN1WyF4ZAf0YYJa4/shHJra2t/d/r8SV4Ji+x+8Q== + dependencies: + minimatch "^5.0.1" + fill-range@^7.1.1: version "7.1.1" resolved "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz" @@ -1911,18 +1937,6 @@ graphql@^16.8.1: resolved "https://registry.yarnpkg.com/graphql/-/graphql-16.12.0.tgz#28cc2462435b1ac3fdc6976d030cef83a0c13ac7" integrity sha512-DKKrynuQRne0PNpEbzuEdHlYOMksHSUI8Zc9Unei5gTsMNA2/vMpoMz/yKba50pejK56qj98qM0SjYxAKi13gQ== -handlebars@^4.7.8: - version "4.7.8" - resolved "https://registry.yarnpkg.com/handlebars/-/handlebars-4.7.8.tgz#41c42c18b1be2365439188c77c6afae71c0cd9e9" - integrity sha512-vafaFqs8MZkRrSX7sFVUdo3ap/eNiLnb4IakshzvP56X5Nr1iGKAIqdX6tMlm6HcNRIkr6AxO5jFEoJzzpT8aQ== - dependencies: - minimist "^1.2.5" - neo-async "^2.6.2" - source-map "^0.6.1" - wordwrap "^1.0.0" - optionalDependencies: - uglify-js "^3.1.4" - has-flag@^4.0.0: version "4.0.0" resolved "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz" @@ -2124,6 +2138,15 @@ istanbul-reports@^3.1.3: html-escaper "^2.0.0" istanbul-lib-report "^3.0.0" +jake@^10.8.5: + version "10.9.4" + resolved "https://registry.yarnpkg.com/jake/-/jake-10.9.4.tgz#d626da108c63d5cfb00ab5c25fadc7e0084af8e6" + integrity sha512-wpHYzhxiVQL+IV05BLE2Xn34zW1S223hvjtqk0+gsPrwd/8JNLXJgZZM/iPFsYc1xyphF+6M6EvdE5E9MBGkDA== + dependencies: + async "^3.2.6" + filelist "^1.0.4" + picocolors "^1.1.1" + jest-changed-files@^29.7.0: version "29.7.0" resolved "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-29.7.0.tgz" @@ -2670,10 +2693,12 @@ minimatch@^3.0.4, minimatch@^3.1.1: dependencies: brace-expansion "^1.1.7" -minimist@^1.2.5: - version "1.2.8" - resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c" - integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA== +minimatch@^5.0.1: + version "5.1.6" + resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-5.1.6.tgz#1cfcb8cf5522ea69952cd2af95ae09477f122a96" + integrity sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g== + dependencies: + brace-expansion "^2.0.1" ms@^2.1.3: version "2.1.3" @@ -2750,9 +2775,9 @@ npm-run-path@^4.0.1: path-key "^3.0.0" nwsapi@^2.2.2: - version "2.2.22" - resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.22.tgz#109f9530cda6c156d6a713cdf5939e9f0de98b9d" - integrity sha512-ujSMe1OWVn55euT1ihwCI1ZcAaAU3nxUiDwfDQldc51ZXaB9m2AyOn6/jh1BLe2t/G8xd6uKG1UBF2aZJeg2SQ== + version "2.2.23" + resolved "https://registry.yarnpkg.com/nwsapi/-/nwsapi-2.2.23.tgz#59712c3a88e6de2bb0b6ccc1070397267019cf6c" + integrity sha512-7wfH4sLbt4M0gCDzGE6vzQBo0bfTKjU7Sfpqy/7gs1qBfYz2vEJH6vXcBKpO3+6Yu1telwd0t9HpyOoLEQQbIQ== once@^1.3.0: version "1.4.0" @@ -3008,7 +3033,7 @@ semver@^6.3.0, semver@^6.3.1: resolved "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz" integrity sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA== -semver@^7.3.4, semver@^7.5.3, semver@^7.5.4, semver@^7.7.3: +semver@^7.3.4, semver@^7.5.3, semver@^7.5.4, semver@^7.7.2: version "7.7.3" resolved "https://registry.yarnpkg.com/semver/-/semver-7.7.3.tgz#4b5f4143d007633a8dc671cd0a6ef9147b8bb946" integrity sha512-SdsKMrI9TdgjdweUSR9MweHA4EJ8YxHn8DFaDisvhVlUOe4BF1tLD7GAj0lIqWVl+dPb/rExr0Btby5loQm20Q== @@ -3304,11 +3329,6 @@ typescript@~5.7.2: resolved "https://registry.npmjs.org/typescript/-/typescript-5.7.3.tgz" integrity sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw== -uglify-js@^3.1.4: - version "3.19.3" - resolved "https://registry.yarnpkg.com/uglify-js/-/uglify-js-3.19.3.tgz#82315e9bbc6f2b25888858acd1fff8441035b77f" - integrity sha512-v3Xu+yuwBXisp6QYTcH4UbH+xYJXqnq2m/LtQVWKWzYc1iehYnLixoQDN9FH6/j9/oybfd6W9Ghwkl8+UMKTKQ== - undici-types@~5.26.4: version "5.26.5" resolved "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz" @@ -3364,9 +3384,9 @@ walker@^1.0.8: makeerror "1.0.12" watchpack@^2.4.4: - version "2.4.4" - resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-2.4.4.tgz#473bda72f0850453da6425081ea46fc0d7602947" - integrity sha512-c5EGNOiyxxV5qmTtAB7rbiXxi1ooX1pQKMLX/MIabJjRA0SJBQOjKF+KSVfHkr9U1cADPon0mRiVe/riyaiDUA== + version "2.5.0" + resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-2.5.0.tgz#fa115d5ccaa4bf3aa594f586257c0bc4768939fd" + integrity sha512-e6vZvY6xboSwLz2GD36c16+O/2Z6fKvIf4pOXptw2rY9MVwE/TXc6RGqxD3I3x0a28lwBY7DE+76uTPSsBrrCA== dependencies: glob-to-regexp "^0.4.1" graceful-fs "^4.1.2" @@ -3452,11 +3472,6 @@ which@^2.0.1: dependencies: isexe "^2.0.0" -wordwrap@^1.0.0: - version "1.0.0" - resolved "https://registry.yarnpkg.com/wordwrap/-/wordwrap-1.0.0.tgz#27584810891456a4171c8d0226441ade90cbcaeb" - integrity sha512-gvVzJFlPycKc5dZN4yPkP8w7Dc37BtP1yczEneOb4uq34pXZcvrtRTmWV8W+Ume+XCxKgbjM+nevkyFPMybd4Q== - wrap-ansi@^6.2.0: version "6.2.0" resolved "https://registry.yarnpkg.com/wrap-ansi/-/wrap-ansi-6.2.0.tgz#e9393ba07102e6c91a3b221478f0257cd2856e53" From 13df22205124d6f6b169a516392ef2e120f0f21e Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Fri, 5 Dec 2025 11:38:55 -0700 Subject: [PATCH 04/21] add datastream and replicator functionalty --- .fernignore | 4 +- src/datastream/client.test.ts | 35 +- src/datastream/client.ts | 6 +- src/datastream/datastream-client.test.ts | 596 ++++++++++ src/datastream/datastream-client.ts | 1270 ++++++++++++++++++++++ src/datastream/index.ts | 14 +- src/datastream/types.ts | 26 +- src/index.ts | 16 +- src/wrapper.ts | 106 +- 9 files changed, 2012 insertions(+), 61 deletions(-) create mode 100644 src/datastream/datastream-client.test.ts create mode 100644 src/datastream/datastream-client.ts diff --git a/.fernignore b/.fernignore index 8898164f..93883fa6 100644 --- a/.fernignore +++ b/.fernignore @@ -6,9 +6,9 @@ LICENSE README.md build.js scripts/ -src/cache.test.ts -src/cache.ts +src/cache/ src/core/fetcher/custom.ts +src/datastream/ src/events.test.ts src/events.ts src/index.ts diff --git a/src/datastream/client.test.ts b/src/datastream/client.test.ts index cd9092a0..177e9b96 100644 --- a/src/datastream/client.test.ts +++ b/src/datastream/client.test.ts @@ -1,4 +1,5 @@ -import { DatastreamClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc, DataStreamResp, EntityType, Action } from '../datastream'; +import { DatastreamWSClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc } from './client'; +import { DataStreamResp, EntityType, Action } from './types'; // Mock logger implementation class MockLogger implements Logger { @@ -19,8 +20,8 @@ class MockLogger implements Logger { } } -describe('DatastreamClient', () => { - let client: DatastreamClient; +describe('DatastreamWSClient', () => { + let client: DatastreamWSClient; const mockLogger = new MockLogger(); const mockMessageHandler: MessageHandlerFunc = async (ctx: any, message: DataStreamResp) => { @@ -39,9 +40,9 @@ describe('DatastreamClient', () => { test('should create client with required options', () => { expect(() => { - client = new DatastreamClient({ - url: 'wss://datastream.example.com/datastream', - apiKey: 'test-key', + client = new DatastreamWSClient({ + url: 'wss://test.example.com/datastream', + apiKey: 'test-api-key', messageHandler: mockMessageHandler, logger: mockLogger, }); @@ -53,7 +54,7 @@ describe('DatastreamClient', () => { test('should throw error when URL is missing', () => { expect(() => { - new DatastreamClient({ + new DatastreamWSClient({ url: '', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -63,7 +64,7 @@ describe('DatastreamClient', () => { test('should throw error when API key is missing', () => { expect(() => { - new DatastreamClient({ + new DatastreamWSClient({ url: 'wss://example.com', apiKey: '', messageHandler: mockMessageHandler, @@ -73,7 +74,7 @@ describe('DatastreamClient', () => { test('should throw error when message handler is missing', () => { expect(() => { - new DatastreamClient({ + new DatastreamWSClient({ url: 'wss://example.com', apiKey: 'test-key', messageHandler: undefined as any, @@ -82,7 +83,7 @@ describe('DatastreamClient', () => { }); test('should convert HTTP URL to WebSocket URL', () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'https://api.schematichq.com', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -96,7 +97,7 @@ describe('DatastreamClient', () => { }); test('should convert HTTP localhost URL to WebSocket URL', () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'http://localhost:8080', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -108,7 +109,7 @@ describe('DatastreamClient', () => { }); test('should handle WebSocket URL directly', () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'wss://datastream.example.com/datastream', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -120,7 +121,7 @@ describe('DatastreamClient', () => { }); test('should set default options when not provided', () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'wss://example.com', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -131,7 +132,7 @@ describe('DatastreamClient', () => { }); test('should use custom options when provided', () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'wss://example.com', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -146,7 +147,7 @@ describe('DatastreamClient', () => { }); test('should emit events', (done) => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'wss://example.com', apiKey: 'test-key', messageHandler: mockMessageHandler, @@ -154,7 +155,7 @@ describe('DatastreamClient', () => { }); // Test that the client can emit events - client.on('error', (error) => { + client.on('error', (error: any) => { expect(error).toBeDefined(); done(); }); @@ -164,7 +165,7 @@ describe('DatastreamClient', () => { }); test('should reject sendMessage when not connected', async () => { - client = new DatastreamClient({ + client = new DatastreamWSClient({ url: 'wss://example.com', apiKey: 'test-key', messageHandler: mockMessageHandler, diff --git a/src/datastream/client.ts b/src/datastream/client.ts index 4148206e..af776f47 100644 --- a/src/datastream/client.ts +++ b/src/datastream/client.ts @@ -115,9 +115,9 @@ function convertAPIURLToWebSocketURL(apiURL: string): any { } /** - * Client represents a Schematic datastream websocket client with automatic reconnection + * DatastreamWSClient represents a Schematic datastream websocket client with automatic reconnection */ -export class Client extends EventEmitter { +export class DatastreamWSClient extends EventEmitter { // Configuration private readonly url: any; private readonly headers: Record; @@ -442,7 +442,7 @@ export class Client extends EventEmitter { return; } - this.log('debug', `Parsed message - EntityType: ${message.entity_type}, MessageType: ${message.message_type}, EntityID: ${message.entity_id}, DataLength: ${JSON.stringify(message.data).length}`); + this.log('debug', `Parsed message - EntityType: ${message.entity_type}, MessageType: ${message.message_type}, DataLength: ${JSON.stringify(message.data).length}`); // Handle the parsed message using the provided handler this.log('debug', 'Calling message handler...'); diff --git a/src/datastream/datastream-client.test.ts b/src/datastream/datastream-client.test.ts new file mode 100644 index 00000000..1feb447b --- /dev/null +++ b/src/datastream/datastream-client.test.ts @@ -0,0 +1,596 @@ +import { EventEmitter } from 'events'; +import { + DataStreamClient, + DataStreamClientOptions, +} from './datastream-client'; +import { LocalCache } from '../cache/local'; +import { DatastreamWSClient, Logger } from './client'; +import { DataStreamResp, EntityType, MessageType } from './types'; +import * as Schematic from '../api/types'; + +// Mock DatastreamWSClient +const mockDatastreamWSClientInstanceInstance = { + on: jest.fn(), + start: jest.fn(), + close: jest.fn(), + isConnected: jest.fn().mockReturnValue(true), + isReady: jest.fn().mockReturnValue(true), + sendMessage: jest.fn().mockResolvedValue(undefined), +}; + +jest.mock('./client', () => { + return { + DatastreamWSClient: jest.fn().mockImplementation(() => mockDatastreamWSClientInstanceInstance), + }; +}); + +describe('DataStreamClient', () => { + let client: DataStreamClient; + let mockLogger: Logger; + let options: DataStreamClientOptions; + + const mockCompany: Schematic.RulesengineCompany = { + id: 'company-123', + accountId: 'account-123', + environmentId: 'env-123', + keys: { name: 'Test Company' }, + traits: [], + rules: [], + metrics: [], + planIds: [], + billingProductIds: [], + crmProductIds: [], + creditBalances: {}, + }; + + const mockUser: Schematic.RulesengineUser = { + id: 'user-123', + accountId: 'account-123', + environmentId: 'env-123', + keys: { email: 'test@example.com' }, + traits: [], + rules: [], + }; + + const mockFlag: Schematic.RulesengineFlag = { + id: 'flag-123', + key: 'test-flag', + accountId: 'account-123', + environmentId: 'env-123', + defaultValue: false, + rules: [], + }; + + beforeEach(() => { + jest.clearAllMocks(); + // Reset sendMessage to default implementation + mockDatastreamWSClientInstanceInstance.sendMessage.mockResolvedValue(undefined); + + mockLogger = { + debug: jest.fn(), + info: jest.fn(), + warn: jest.fn(), + error: jest.fn(), + }; + + options = { + apiKey: 'test-api-key', + baseURL: 'https://api.schematichq.com', + logger: mockLogger, + }; + + client = new DataStreamClient(options); + }); + + afterEach(async () => { + if (client) { + // Remove all listeners to prevent memory leaks + client.removeAllListeners(); + client.close(); + // Wait for any pending process.nextTick operations to complete + await new Promise(resolve => setImmediate(resolve)); + } + jest.clearAllMocks(); + // Reset sendMessage to default implementation + mockDatastreamWSClientInstanceInstance.sendMessage.mockResolvedValue(undefined); + }); + + test('should initialize with default options', () => { + expect(client).toBeInstanceOf(DataStreamClient); + expect(client.isConnected()).toBe(false); + }); + + test('should initialize with custom cache providers', () => { + const customCompanyCache = new LocalCache(); + const customUserCache = new LocalCache(); + const customFlagCache = new LocalCache(); + + const clientWithCustomCaches = new DataStreamClient({ + ...options, + companyCache: customCompanyCache, + userCache: customUserCache, + flagCache: customFlagCache, + }); + + expect(clientWithCustomCaches).toBeInstanceOf(DataStreamClient); + }); + + test('should use different TTL for flag cache than other caches', () => { + // Test with a custom cacheTTL that's shorter than MAX_CACHE_TTL (30 days) + const customCacheTTL = 12 * 60 * 60 * 1000; // 12 hours + const clientWithCustomTTL = new DataStreamClient({ + ...options, + cacheTTL: customCacheTTL, + }); + + expect(clientWithCustomTTL).toBeInstanceOf(DataStreamClient); + + // Test with a custom cacheTTL that's longer than MAX_CACHE_TTL (30 days) + // In this case, flag cache should use the custom TTL, not MAX_CACHE_TTL + const longCacheTTL = 45 * 24 * 60 * 60 * 1000; // 45 days + const clientWithLongTTL = new DataStreamClient({ + ...options, + cacheTTL: longCacheTTL, + }); + + expect(clientWithLongTTL).toBeInstanceOf(DataStreamClient); + // The internal behavior follows Go logic: max(MAX_CACHE_TTL, configured TTL) for flags + // This ensures flag cache always has at least 30 days TTL, or more if configured + }); + + test('should start WebSocket client when started', async () => { + await client.start(); + + expect(DatastreamWSClient).toHaveBeenCalledWith({ + url: options.baseURL, + apiKey: options.apiKey, + messageHandler: expect.any(Function), + connectionReadyHandler: expect.any(Function), + logger: mockLogger, + }); + expect(mockDatastreamWSClientInstanceInstance.start).toHaveBeenCalled(); + }); + + test('should handle WebSocket events', async () => { + const connectSpy = jest.fn(); + const disconnectSpy = jest.fn(); + const readySpy = jest.fn(); + const errorSpy = jest.fn(); + + client.on('connected', connectSpy); + client.on('disconnected', disconnectSpy); + client.on('ready', readySpy); + client.on('error', errorSpy); + + await client.start(); + + // Simulate WebSocket events + const onCalls = mockDatastreamWSClientInstanceInstance.on.mock.calls; + const connectedHandler = onCalls.find((call: any) => call[0] === 'connected')?.[1]; + const disconnectedHandler = onCalls.find((call: any) => call[0] === 'disconnected')?.[1]; + const readyHandler = onCalls.find((call: any) => call[0] === 'ready')?.[1]; + const errorHandler = onCalls.find((call: any) => call[0] === 'error')?.[1]; + + if (connectedHandler) connectedHandler(); + if (disconnectedHandler) disconnectedHandler(); + if (readyHandler) readyHandler(); + if (errorHandler) errorHandler(new Error('test error')); + + expect(connectSpy).toHaveBeenCalled(); + expect(disconnectSpy).toHaveBeenCalled(); + expect(readySpy).toHaveBeenCalled(); + expect(errorSpy).toHaveBeenCalledWith(new Error('test error')); + }); + + test('should handle company messages and update cache', async () => { + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Create company message + const companyMessage: DataStreamResp = { + entity_type: EntityType.COMPANY, + message_type: MessageType.FULL, + data: mockCompany, + }; + + // Handle message + await messageHandler({}, companyMessage); + + // Verify company is cached and can be retrieved using the correct keys + const retrievedCompany = await client.getCompany(mockCompany.keys!); + expect(retrievedCompany).toEqual(mockCompany); + }, 10000); + + test('should handle user messages and update cache', async () => { + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Create user message + const userMessage: DataStreamResp = { + entity_type: EntityType.USER, + message_type: MessageType.FULL, + data: mockUser, + }; + + // Handle message + await messageHandler({}, userMessage); + + // Verify user is cached and can be retrieved using the correct keys + const retrievedUser = await client.getUser(mockUser.keys!); + expect(retrievedUser).toEqual(mockUser); + }, 10000); + + test('should handle flag messages and update cache', async () => { + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Create flag message + const flagMessage: DataStreamResp = { + entity_type: EntityType.FLAGS, + message_type: MessageType.FULL, + data: [mockFlag], // Flags can be sent as array + }; + + // Handle message + await messageHandler({}, flagMessage); + + // Verify flag is cached and can be retrieved + const retrievedFlag = await client.getFlag(mockFlag.key); + expect(retrievedFlag).toEqual(mockFlag); + }); + + test('should request data from datastream when not in cache', async () => { + // Set up connected state + mockDatastreamWSClientInstanceInstance.isConnected.mockReturnValue(true); + + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Get the connection handler from the WebSocket client mock + const onCalls = mockDatastreamWSClientInstanceInstance.on.mock.calls; + const connectedHandler = onCalls.find((call: any) => call[0] === 'connected')?.[1]; + + // Mock sendMessage to automatically trigger response + mockDatastreamWSClientInstanceInstance.sendMessage.mockImplementation(async (message: any) => { + if (message.data?.entity_type === EntityType.COMPANY) { + const responseCompany = { + ...mockCompany, + id: 'company-456', + keys: { id: 'company-456' } + }; + const companyMessage: DataStreamResp = { + entity_type: EntityType.COMPANY, + message_type: MessageType.FULL, + data: responseCompany, + }; + // Use process.nextTick for immediate execution + process.nextTick(() => { + messageHandler({}, companyMessage); + }); + } + }); + + // Simulate connected state + if (connectedHandler) connectedHandler(); + + // Request company not in cache - should send datastream request and get response + const result = await client.getCompany({ id: 'company-456' }); + + // Verify request was sent + expect(mockDatastreamWSClientInstanceInstance.sendMessage).toHaveBeenCalledWith({ + data: { + entity_type: EntityType.COMPANY, + keys: { id: 'company-456' }, + } + }); + + // Verify we got the expected result + expect(result.id).toBe('company-456'); + }); + + test('should handle multiple pending requests for same entity', async () => { + mockDatastreamWSClientInstanceInstance.isConnected.mockReturnValue(true); + + let sentRequestCount = 0; + + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Get the connection handler from the WebSocket client mock + const onCalls = mockDatastreamWSClientInstanceInstance.on.mock.calls; + const connectedHandler = onCalls.find((call: any) => call[0] === 'connected')?.[1]; + + // Mock sendMessage to track requests and auto-respond + mockDatastreamWSClientInstanceInstance.sendMessage.mockImplementation(async (message: any) => { + sentRequestCount++; + if (message.data?.entity_type === EntityType.COMPANY) { + const responseCompany = { + ...mockCompany, + id: 'company-789', + keys: { id: 'company-789' } + }; + const companyMessage: DataStreamResp = { + entity_type: EntityType.COMPANY, + message_type: MessageType.FULL, + data: responseCompany, + }; + // Use process.nextTick for immediate execution + process.nextTick(() => { + messageHandler({}, companyMessage); + }); + } + }); + + if (connectedHandler) connectedHandler(); + + // Make multiple requests for same company + const [result1, result2, result3] = await Promise.all([ + client.getCompany({ id: 'company-789' }), + client.getCompany({ id: 'company-789' }), + client.getCompany({ id: 'company-789' }) + ]); + + // Should only send one request for company (flags might be cached or not requested in this scenario) + expect(sentRequestCount).toBeGreaterThanOrEqual(1); // At least 1 for company + + // All promises should resolve with same company + expect(result1.id).toBe('company-789'); + expect(result2.id).toBe('company-789'); + expect(result3.id).toBe('company-789'); + expect(result1).toEqual(result2); + expect(result2).toEqual(result3); + }); + + test('should throw error when requesting data while disconnected', async () => { + // Don't start client or set connected state + mockDatastreamWSClientInstanceInstance.isConnected.mockReturnValue(false); + + await expect(client.getCompany({ id: 'company-123' })).rejects.toThrow('DataStream client is not connected'); + await expect(client.getUser({ id: 'user-123' })).rejects.toThrow('DataStream client is not connected'); + // Note: getFlag doesn't require connection, it only checks cache + }); + + test('should handle entity messages and update cache', async () => { + await client.start(); + + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Send company message + await messageHandler({}, { + entity_type: EntityType.COMPANY, + message_type: MessageType.FULL, + data: mockCompany, + }); + + // Send user message + await messageHandler({}, { + entity_type: EntityType.USER, + message_type: MessageType.FULL, + data: mockUser, + }); + + // Send flag message + await messageHandler({}, { + entity_type: EntityType.FLAGS, + message_type: MessageType.FULL, + data: [mockFlag], + }); + + // Verify entities are cached (no events expected) + const cachedCompany = await client.getCompany(mockCompany.keys!); + const cachedUser = await client.getUser(mockUser.keys!); + const cachedFlag = await client.getFlag(mockFlag.key); + + expect(cachedCompany).toEqual(mockCompany); + expect(cachedUser).toEqual(mockUser); + expect(cachedFlag).toEqual(mockFlag); + }); + + test('should handle error type messages from WebSocket', async () => { + const errorSpy = jest.fn(); + client.on('error', errorSpy); + + await client.start(); + + // Get message handler + const DatastreamWSClientMock = DatastreamWSClient as jest.MockedClass; + const messageHandler = DatastreamWSClientMock.mock.calls[0][0].messageHandler; + + // Test 1: Error message with entity type and keys (should notify pending requests and log warning) + const companyErrorMessage: DataStreamResp = { + entity_type: EntityType.COMPANY, + message_type: MessageType.ERROR, + data: { + error: 'Company not found', + entity_type: EntityType.COMPANY, + keys: { id: 'company-not-found' } + } + }; + + await messageHandler({}, companyErrorMessage); + + // Verify warning was logged but no error event was emitted + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'DataStream error received: Company not found'); + + // Test 2: Error message with entity type and keys for user + const userErrorMessage: DataStreamResp = { + entity_type: EntityType.USER, + message_type: MessageType.ERROR, + data: { + error: 'User not found', + entity_type: EntityType.USER, + keys: { id: 'user-not-found' } + } + }; + + await messageHandler({}, userErrorMessage); + + // Verify warning was logged + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'DataStream error received: User not found'); + + // Test 3: Generic error message without entity type or keys + const genericErrorMessage: DataStreamResp = { + entity_type: 'unknown', + message_type: MessageType.ERROR, + data: { + error: 'Generic datastream error' + } + }; + + await messageHandler({}, genericErrorMessage); + + // Verify warning was logged + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'DataStream error received: Generic datastream error'); + + // Test 4: Error message with no error text (should use default) + const noErrorTextMessage: DataStreamResp = { + entity_type: 'unknown', + message_type: MessageType.ERROR, + data: {} + }; + + await messageHandler({}, noErrorTextMessage); + + // Verify warning was logged with default message + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'DataStream error received: Unknown datastream error'); + + // Test 5: Unsupported entity type in error message should log warning + const unsupportedEntityErrorMessage: DataStreamResp = { + entity_type: EntityType.FLAGS, // FLAGS entity type is not supported for error handling + message_type: MessageType.ERROR, + data: { + error: 'Unsupported entity error', + entity_type: EntityType.FLAGS, + keys: { key: 'some-flag-key' } + } + }; + + await messageHandler({}, unsupportedEntityErrorMessage); + + // Verify warnings were logged for both unsupported entity type and the error message + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'Received error for unsupported entity type: rulesengine.Flags'); + expect(mockLogger.warn).toHaveBeenCalledWith({}, 'DataStream error received: Unsupported entity error'); + + // Verify no error events were emitted throughout the test + expect(errorSpy).not.toHaveBeenCalled(); + }); + + test('should handle replicator mode configuration', () => { + const replicatorClient = new DataStreamClient({ + ...options, + replicatorMode: true, + replicatorHealthURL: 'http://localhost:8080/health', + replicatorHealthCheck: 10000, + }); + + expect(replicatorClient).toBeInstanceOf(DataStreamClient); + expect(replicatorClient.isReplicatorMode()).toBe(true); + expect(replicatorClient.getReplicatorCacheVersion()).toBeUndefined(); + }); + + test('should fetch and use replicator cache version', async () => { + // Mock global fetch + const originalFetch = global.fetch; + const mockFetch = jest.fn(); + global.fetch = mockFetch as any; + + mockFetch.mockResolvedValueOnce({ + ok: true, + json: async () => ({ + ready: true, + cache_version: 'v123' + }) + }); + + const replicatorClient = new DataStreamClient({ + ...options, + replicatorMode: true, + replicatorHealthURL: 'http://localhost:8080/health', + replicatorHealthCheck: 30000, // Long interval to prevent multiple calls + }); + + // Start the client to trigger initial health check + await replicatorClient.start(); + + // Wait a bit for the health check to complete + await new Promise(resolve => setTimeout(resolve, 50)); + + // Cache version should be set + expect(replicatorClient.getReplicatorCacheVersion()).toBe('v123'); + + replicatorClient.close(); + + // Restore original fetch + global.fetch = originalFetch; + }); + + test('should use rules engine version key for cache keys in non-replicator mode', async () => { + // Start the client (non-replicator mode) + await client.start(); + + // Try to get a flag - this will trigger cache key generation + const flag = await client.getFlag('test-flag'); + + // Flag won't be found but the cache key generation will have used the rules engine version + expect(flag).toBeNull(); + + client.close(); + }); + + test('should close gracefully', async () => { + await client.start(); + + client.close(); + + expect(mockDatastreamWSClientInstanceInstance.close).toHaveBeenCalled(); + expect(client.isConnected()).toBe(false); + }); + + test('should clear pending requests on disconnect', async () => { + mockDatastreamWSClientInstanceInstance.isConnected.mockReturnValue(true); + + // Mock sendMessage to not respond (simulating pending request) + mockDatastreamWSClientInstanceInstance.sendMessage.mockImplementation(() => { + // Don't send any response - leave the request pending + return Promise.resolve(); + }); + + await client.start(); + + const onCalls = mockDatastreamWSClientInstanceInstance.on.mock.calls; + const connectedHandler = onCalls.find(call => call[0] === 'connected')?.[1]; + if (connectedHandler) connectedHandler(); + + // Start a request that will be pending + const companyPromise = client.getCompany({ id: 'company-pending' }); + + // Give it a moment to register the pending request + await new Promise(resolve => process.nextTick(resolve)); + + // Now simulate disconnect to trigger cleanup + mockDatastreamWSClientInstanceInstance.isConnected.mockReturnValue(false); + const disconnectedHandler = onCalls.find(call => call[0] === 'disconnected')?.[1]; + if (disconnectedHandler) disconnectedHandler(); + + // Promise should reject due to cleanup (the actual error message is 'Company not found') + await expect(companyPromise).rejects.toThrow('Company not found'); + }); + + +}); \ No newline at end of file diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts new file mode 100644 index 00000000..a224de16 --- /dev/null +++ b/src/datastream/datastream-client.ts @@ -0,0 +1,1270 @@ +import { EventEmitter } from 'events'; +import * as Schematic from '../api/types'; +import { DatastreamWSClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc } from './client'; +import { DataStreamResp, DataStreamReq, EntityType, MessageType } from './types'; +import { RulesEngineClient } from '../rules-engine'; + +// Import cache providers from the cache module +import type { CacheProvider } from '../cache/types'; +import { LocalCache } from '../cache/local'; +import { RedisCacheProvider, type RedisOptions } from '../cache/redis'; + +/** + * Redis cache configuration options for DataStream client + */ +export interface DataStreamRedisConfig { + /** Redis connection URL (e.g., 'redis://localhost:6379') */ + url?: string; + /** Redis host (default: 'localhost') */ + host?: string; + /** Redis port (default: 6379) */ + port?: number; + /** Redis password */ + password?: string; + /** Redis database number (default: 0) */ + db?: number; + /** Redis key prefix for all cache keys (default: 'schematic:') */ + keyPrefix?: string; +} + +/** + * Options for configuring the DataStream client + */ +export interface DataStreamClientOptions { + /** Schematic API key for authentication */ + apiKey: string; + /** Base URL for the API (will be converted to WebSocket URL) */ + baseURL?: string; + /** Logger for debug/info/error messages */ + logger?: Logger; + /** Cache TTL in milliseconds (default: 5 minutes) */ + cacheTTL?: number; + /** Redis configuration for all cache providers (if not provided, uses memory cache) */ + redisConfig?: DataStreamRedisConfig; + /** Custom cache provider for company entities (overrides Redis config if provided) */ + companyCache?: CacheProvider; + /** Custom cache provider for user entities (overrides Redis config if provided) */ + userCache?: CacheProvider; + /** Custom cache provider for flag entities (overrides Redis config if provided) */ + flagCache?: CacheProvider; + /** Enable replicator mode for external data synchronization */ + replicatorMode?: boolean; + /** Health check URL for replicator mode */ + replicatorHealthURL?: string; + /** Health check interval for replicator mode in milliseconds */ + replicatorHealthCheck?: number; +} + +/** + * Pending request handler type for companies and users + */ +type PendingRequestHandler = (value: T | null) => void; + +// Cache key constants +const CACHE_KEY_PREFIX = 'schematic'; +const CACHE_KEY_PREFIX_COMPANY = 'company'; +const CACHE_KEY_PREFIX_USER = 'user'; +const CACHE_KEY_PREFIX_FLAGS = 'flags'; +const RESOURCE_TIMEOUT = 30 * 1000; // 30 seconds +const DEFAULT_TTL = 24 * 60 * 60 * 1000; // 24 hours (matches Go defaultTTL) +const MAX_CACHE_TTL = 30 * 24 * 60 * 60 * 1000; // 30 days (matches Go maxCacheTTL) + +/** + * DataStreamClient provides a comprehensive client for Schematic's datastream + * with caching, flag evaluation, and entity management matching the Go implementation + */ +export class DataStreamClient extends EventEmitter { + private readonly apiKey: string; + private readonly baseURL?: string; + private readonly logger?: Logger; + private readonly cacheTTL: number; + + // Cache providers + private readonly companyCacheProvider: CacheProvider; + private readonly userCacheProvider: CacheProvider; + private readonly flagsCacheProvider: CacheProvider; + + // WebSocket client + private wsClient?: DatastreamWSClient; + + // Rules engine for flag evaluation + private rulesEngine: RulesEngineClient; + + // Replicator mode configuration + private readonly replicatorMode: boolean; + private readonly replicatorHealthURL?: string; + private readonly replicatorHealthCheck: number; + private replicatorReady = false; + private replicatorHealthInterval?: NodeJS.Timeout; + private replicatorCacheVersion?: string; + + // Pending requests - maps cache key to array of handlers + private pendingCompanyRequests = new Map[]>(); + private pendingUserRequests = new Map[]>(); + private pendingFlagRequest?: PendingRequestHandler; + + constructor(options: DataStreamClientOptions) { + super(); + + this.apiKey = options.apiKey; + this.baseURL = options.baseURL; + this.logger = options.logger; + this.cacheTTL = options.cacheTTL ?? DEFAULT_TTL; + + // Initialize cache providers based on configuration + this.companyCacheProvider = this.createCacheProvider(options, 'company'); + this.userCacheProvider = this.createCacheProvider(options, 'user'); + this.flagsCacheProvider = this.createCacheProvider(options, 'flag'); + + // Replicator mode settings + this.replicatorMode = options.replicatorMode ?? false; + this.replicatorHealthURL = options.replicatorHealthURL; + this.replicatorHealthCheck = options.replicatorHealthCheck ?? 30 * 1000; // Default 30 seconds + + // Initialize rules engine + this.rulesEngine = new RulesEngineClient(); + } + + /** + * Creates cache providers based on configuration options + * Priority: custom cache provider > Redis config > memory cache + * Flag cache uses special TTL logic matching Go implementation + */ + private createCacheProvider(options: DataStreamClientOptions, cacheType: 'company' | 'user' | 'flag'): CacheProvider { + // Check for custom cache provider first + let customProvider: CacheProvider | undefined; + switch (cacheType) { + case 'company': + customProvider = options.companyCache as CacheProvider; + break; + case 'user': + customProvider = options.userCache as CacheProvider; + break; + case 'flag': + customProvider = options.flagCache as CacheProvider; + break; + } + + if (customProvider) { + return customProvider; + } + + // Calculate TTL based on cache type + const cacheTTL = this.calculateCacheTTL(cacheType); + + // Use Redis if configuration is provided + if (options.redisConfig) { + const redisOptions: RedisOptions = { + ...options.redisConfig, + ttl: cacheTTL, + keyPrefix: options.redisConfig.keyPrefix || 'schematic:' + }; + return new RedisCacheProvider(redisOptions); + } + + // Default to memory cache + return new LocalCache(); + } + + /** + * Calculates cache TTL based on cache type, matching Go implementation + * - Flag cache: use the greater of maxCacheTTL (30 days) or configured cacheTTL + * - Other caches: use configured cacheTTL (defaults to 24 hours) + */ + private calculateCacheTTL(cacheType: 'company' | 'user' | 'flag'): number { + if (cacheType === 'flag') { + // Flag TTL logic matches Go: use greater of maxCacheTTL or configured TTL + return Math.max(MAX_CACHE_TTL, this.cacheTTL); + } + return this.cacheTTL; + } + + /** + * Start initializes and starts the datastream client + */ + public async start(): Promise { + // Initialize rules engine first + try { + await this.rulesEngine.initialize(); + this.log('debug', 'Rules engine initialized successfully'); + } catch (error) { + this.log('warn', `Failed to initialize rules engine: ${error}`); + } + + // In replicator mode, we don't establish WebSocket connections + if (this.replicatorMode) { + this.log('info', 'Replicator mode enabled - skipping WebSocket connection'); + if (this.replicatorHealthURL) { + this.startReplicatorHealthCheck(); + } + return; + } + + if (!this.baseURL) { + throw new Error('BaseURL is required when not in replicator mode'); + } + + this.log('info', 'Starting DataStream client'); + + // Create WebSocket client + this.wsClient = new DatastreamWSClient({ + url: this.baseURL, + apiKey: this.apiKey, + messageHandler: this.handleMessage.bind(this), + connectionReadyHandler: this.handleConnectionReady.bind(this), + logger: this.logger, + }); + + // Set up event handlers + this.wsClient.on('connected', () => { + this.emit('connected'); + }); + + this.wsClient.on('disconnected', () => { + this.emit('disconnected'); + this.clearPendingRequests(); + }); + + this.wsClient.on('ready', () => { + this.emit('ready'); + }); + + this.wsClient.on('not-ready', () => { + this.emit('not-ready'); + }); + + this.wsClient.on('error', (error) => { + this.emit('error', error); + }); + + // Start WebSocket client + this.wsClient.start(); + } + + /** + * IsConnected returns whether the client is connected to the datastream + * In replicator mode, returns true if the external replicator is ready + */ + public isConnected(): boolean { + if (this.replicatorMode) { + return this.isReplicatorReady(); + } + + return this.wsClient?.isConnected() ?? false; + } + + /** + * GetCompany retrieves a company by keys, using cache or datastream + */ + public async getCompany(keys: Record): Promise { + // Check cache first for any of the keys + const cached = await this.getCompanyFromCache(keys); + if (cached) { + this.log('debug', `Company found in cache for keys: ${JSON.stringify(keys)}`); + return cached; + } + + // Handle replicator mode behavior - in replicator mode, only use cached data + if (this.replicatorMode) { + throw new Error('Company not found in cache and replicator mode is enabled'); + } + + // If not in cache and not connected, throw error + if (!this.isConnected()) { + throw new Error('DataStream client is not connected'); + } + + // Check if there's already a pending request for any of these keys + const cacheKeys = this.generateCacheKeysForCompany(keys); + let existingRequest = false; + + for (const cacheKey of cacheKeys) { + if (this.pendingCompanyRequests.has(cacheKey)) { + existingRequest = true; + break; + } + } + + return new Promise((resolve, reject) => { + const timeout = setTimeout(() => { + this.cleanupPendingCompanyRequests(cacheKeys, handler); + reject(new Error('Timeout while waiting for company data')); + }, RESOURCE_TIMEOUT); + + const handler: PendingRequestHandler = (company) => { + clearTimeout(timeout); + if (company) { + resolve(company); + } else { + reject(new Error('Company not found')); + } + }; + + // Add handler to all cache keys + for (const cacheKey of cacheKeys) { + if (!this.pendingCompanyRequests.has(cacheKey)) { + this.pendingCompanyRequests.set(cacheKey, []); + } + this.pendingCompanyRequests.get(cacheKey)!.push(handler); + } + + // Only send request if there wasn't already one pending + if (!existingRequest) { + this.sendDataStreamRequest({ + entity_type: EntityType.COMPANY, + keys, + }).catch((error) => { + this.cleanupPendingCompanyRequests(cacheKeys, handler); + reject(error); + }); + } + }); + } + + /** + * GetUser retrieves a user by keys, using cache or datastream + */ + public async getUser(keys: Record): Promise { + // Check cache first for any of the keys + const cached = await this.getUserFromCache(keys); + if (cached) { + this.log('debug', `User found in cache for keys: ${JSON.stringify(keys)}`); + return cached; + } + + // Handle replicator mode behavior - in replicator mode, only use cached data + if (this.replicatorMode) { + throw new Error('User not found in cache and replicator mode is enabled'); + } + + // If not in cache and not connected, throw error + if (!this.isConnected()) { + throw new Error('DataStream client is not connected'); + } + + // Check if there's already a pending request for any of these keys + const cacheKeys = this.generateCacheKeysForUser(keys); + let existingRequest = false; + + for (const cacheKey of cacheKeys) { + if (this.pendingUserRequests.has(cacheKey)) { + existingRequest = true; + break; + } + } + + return new Promise((resolve, reject) => { + const timeout = setTimeout(() => { + this.cleanupPendingUserRequests(cacheKeys, handler); + reject(new Error('Timeout while waiting for user data')); + }, RESOURCE_TIMEOUT); + + const handler: PendingRequestHandler = (user) => { + clearTimeout(timeout); + if (user) { + resolve(user); + } else { + reject(new Error('User not found')); + } + }; + + // Add handler to all cache keys + for (const cacheKey of cacheKeys) { + if (!this.pendingUserRequests.has(cacheKey)) { + this.pendingUserRequests.set(cacheKey, []); + } + this.pendingUserRequests.get(cacheKey)!.push(handler); + } + + // Only send request if there wasn't already one pending + if (!existingRequest) { + this.sendDataStreamRequest({ + entity_type: EntityType.USER, + keys, + }).catch((error) => { + this.cleanupPendingUserRequests(cacheKeys, handler); + reject(error); + }); + } + }); + } + + /** + * GetFlag retrieves a flag by key from cache + */ + public async getFlag(flagKey: string): Promise { + const cacheKey = this.flagCacheKey(flagKey); + this.log('debug', `Retrieving flag from cache: ${flagKey} (cache key: ${cacheKey})`); + const result = await this.flagsCacheProvider.get(cacheKey); + return result || null; + } + + /** + * GetAllFlags requests a refresh of all flags from the datastream + */ + public async getAllFlags(): Promise { + // Check if there is already a pending request for flags + if (this.pendingFlagRequest) { + return new Promise((resolve, reject) => { + // Wait for existing request to complete + const originalHandler = this.pendingFlagRequest!; + this.pendingFlagRequest = (success: boolean | null) => { + originalHandler(success); + if (success) { + resolve(); + } else { + reject(new Error('Failed to refresh flags')); + } + }; + }); + } + + return new Promise((resolve, reject) => { + const timeout = setTimeout(() => { + this.pendingFlagRequest = undefined; + reject(new Error('Timeout while waiting for flags data')); + }, RESOURCE_TIMEOUT); + + this.pendingFlagRequest = (success: boolean | null) => { + clearTimeout(timeout); + this.pendingFlagRequest = undefined; + if (success) { + resolve(); + } else { + reject(new Error('Failed to refresh flags')); + } + }; + + this.sendDataStreamRequest({ + entity_type: EntityType.FLAGS, + }).catch((error) => { + clearTimeout(timeout); + this.pendingFlagRequest = undefined; + reject(error); + }); + }); + } + + /** + * CheckFlag evaluates a flag for a company and/or user context + */ + public async checkFlag( + evalCtx: { company?: Record; user?: Record }, + flagKey: string + ): Promise { + // Get flag first - return error if not found + const flag = await this.getFlag(flagKey); + if (!flag) { + throw new Error(`Flag not found: ${flagKey}`); + } + + const needsCompany = evalCtx.company && Object.keys(evalCtx.company).length > 0; + const needsUser = evalCtx.user && Object.keys(evalCtx.user).length > 0; + + let cachedCompany: Schematic.RulesengineCompany | null = null; + let cachedUser: Schematic.RulesengineUser | null = null; + + // Try to get cached data first + if (needsCompany) { + cachedCompany = await this.getCompanyFromCache(evalCtx.company!); + this.log('debug', `Company ${cachedCompany ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.company)}`); + } + if (needsUser) { + cachedUser = await this.getUserFromCache(evalCtx.user!); + this.log('debug', `User ${cachedUser ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.user)}`); + } + + // Handle replicator mode behavior + if (this.replicatorMode) { + // In replicator mode, if we don't have all cached data, evaluate with null values instead of fetching + // The external replicator should have populated the cache with all necessary data + return this.evaluateFlag(flag, cachedCompany, cachedUser); + } + + // Non-replicator mode: if we have all cached data we need, use it + if ((!needsCompany || cachedCompany) && (!needsUser || cachedUser)) { + this.log('debug', `All required resources found in cache for flag ${flagKey} evaluation`); + return this.evaluateFlag(flag, cachedCompany, cachedUser); + } + + // Check if we're connected to datastream for live fetching + if (!this.isConnected()) { + throw new Error('Datastream not connected and required entities not in cache'); + } + + // Fetch missing data from datastream + let company: Schematic.RulesengineCompany | null = null; + let user: Schematic.RulesengineUser | null = null; + + if (needsCompany) { + if (cachedCompany) { + company = cachedCompany; + this.log('debug', `Using cached company data for keys: ${JSON.stringify(evalCtx.company)}`); + } else { + this.log('debug', `Fetching company from datastream for keys: ${JSON.stringify(evalCtx.company)}`); + company = await this.getCompany(evalCtx.company!); + } + } + + if (needsUser) { + if (cachedUser) { + user = cachedUser; + this.log('debug', `Using cached user data for keys: ${JSON.stringify(evalCtx.user)}`); + } else { + this.log('debug', `Fetching user from datastream for keys: ${JSON.stringify(evalCtx.user)}`); + user = await this.getUser(evalCtx.user!); + } + } + + // Evaluate against the rules engine + return this.evaluateFlag(flag, company, user); + } + + /** + * UpdateCompanyMetrics updates company metrics locally (for track events) + */ + public async updateCompanyMetrics(keys: Record, event: string, quantity: number): Promise { + const company = await this.getCompanyFromCache(keys); + if (!company) { + return; // No company in cache to update + } + + // Create a deep copy to avoid modifying the cached object + const updatedCompany = this.deepCopyCompany(company); + + // Update the metric value if it matches the event + if (updatedCompany.metrics) { + for (const metric of updatedCompany.metrics) { + if (metric?.eventSubtype === event) { + metric.value = (metric.value || 0) + quantity; + } + } + } + + // Update cache with the modified company + await this.cacheCompanyForKeys(updatedCompany); + } + + /** + * Close gracefully closes the datastream client + */ + public close(): void { + this.log('info', 'Closing DataStream client'); + + // Stop replicator health checks + if (this.replicatorHealthInterval) { + clearInterval(this.replicatorHealthInterval); + this.replicatorHealthInterval = undefined; + } + + // Clear all pending requests + this.clearPendingRequests(); + + // Clear cache timers to prevent hanging + if (this.companyCacheProvider && 'clear' in this.companyCacheProvider) { + (this.companyCacheProvider as any).clear(); + } + if (this.userCacheProvider && 'clear' in this.userCacheProvider) { + (this.userCacheProvider as any).clear(); + } + if (this.flagsCacheProvider && 'clear' in this.flagsCacheProvider) { + (this.flagsCacheProvider as any).clear(); + } + + // Close WebSocket client + if (this.wsClient) { + this.wsClient.close(); + this.wsClient = undefined; + } + + this.log('info', 'DataStream client closed'); + } + + /** + * IsReplicatorReady returns whether the external replicator is ready + */ + public isReplicatorReady(): boolean { + return this.replicatorReady; + } + + /** + * IsReplicatorMode returns whether the client is running in replicator mode + */ + public isReplicatorMode(): boolean { + return this.replicatorMode; + } + + /** + * GetReplicatorCacheVersion returns the current cache version from the replicator + */ + public getReplicatorCacheVersion(): string | undefined { + return this.replicatorCacheVersion; + } + + /** + * GetReplicatorCacheVersionAsync attempts to fetch cache version immediately if not available + */ + public async getReplicatorCacheVersionAsync(timeoutMs = 2000): Promise { + // If we already have a cache version, return it immediately + if (this.replicatorCacheVersion) { + return this.replicatorCacheVersion; + } + + // If we don't have a cache version yet and we're in replicator mode, try to get it + if (this.replicatorMode && this.replicatorHealthURL) { + try { + const controller = new AbortController(); + const timeoutId = setTimeout(() => controller.abort(), timeoutMs); + + const response = await fetch(this.replicatorHealthURL, { + method: 'GET', + signal: controller.signal, + }); + + clearTimeout(timeoutId); + + if (response.ok) { + const healthData = await response.json() as { ready?: boolean; cache_version?: string; cacheVersion?: string }; + const newCacheVersion = healthData.cache_version || healthData.cacheVersion; + if (newCacheVersion) { + this.replicatorCacheVersion = newCacheVersion; + return newCacheVersion; + } + } + } catch (error) { + this.log('debug', `Failed to fetch replicator cache version: ${error}`); + } + } + + return undefined; + } + + /** + * handleMessage processes incoming datastream messages + */ + private async handleMessage(ctx: any, message: DataStreamResp): Promise { + this.log('debug', `Processing datastream message: EntityType=${message.entity_type}, MessageType=${message.message_type}`); + + try { + if (message.message_type === MessageType.ERROR) { + await this.handleErrorMessage(message); + return; + } + + switch (message.entity_type) { + case EntityType.COMPANY: + case EntityType.COMPANIES: + await this.handleCompanyMessage(message); + break; + case EntityType.USER: + case EntityType.USERS: + await this.handleUserMessage(message); + break; + case EntityType.FLAGS: + await this.handleFlagsMessage(message); + break; + case EntityType.FLAG: + await this.handleFlagMessage(message); + break; + default: + this.log('warn', `Unknown entity type in datastream message: ${message.entity_type}`); + } + } catch (error) { + this.log('error', `Error processing datastream message: ${error}`); + this.emit('error', error); + } + } + + /** + * handleCompanyMessage processes company-specific datastream messages + */ + private async handleCompanyMessage(message: DataStreamResp): Promise { + const company = message.data as Schematic.RulesengineCompany; + + if (!company) { + return; + } + + if (message.message_type === MessageType.DELETE) { + // Remove company from cache + if (company.keys) { + for (const [key, value] of Object.entries(company.keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); + await this.companyCacheProvider.delete(cacheKey); + } + } + return; + } + + // Cache the company + await this.cacheCompanyForKeys(company); + + // Notify pending requests + this.notifyPendingCompanyRequests(company.keys || {}, company); + } + + /** + * handleUserMessage processes user-specific datastream messages + */ + private async handleUserMessage(message: DataStreamResp): Promise { + const user = message.data as Schematic.RulesengineUser; + + if (!user) { + return; + } + + if (message.message_type === MessageType.DELETE) { + // Remove user from cache + if (user.keys) { + for (const [key, value] of Object.entries(user.keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); + await this.userCacheProvider.delete(cacheKey); + } + } + return; + } + + // Cache the user + if (user.keys) { + for (const [key, value] of Object.entries(user.keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); + await this.userCacheProvider.set(cacheKey, user, this.cacheTTL); + } + } + + // Notify pending requests + this.notifyPendingUserRequests(user.keys || {}, user); + } + + /** + * handleFlagsMessage processes bulk flags messages + */ + private async handleFlagsMessage(message: DataStreamResp): Promise { + const flags = message.data as Schematic.RulesengineFlag[]; + + if (!Array.isArray(flags)) { + this.log('warn', 'Expected flags array in bulk flags message'); + return; + } + + const cacheKeys: string[] = []; + for (const flag of flags) { + if (flag?.key) { + const cacheKey = this.flagCacheKey(flag.key); + await this.flagsCacheProvider.set(cacheKey, flag); + cacheKeys.push(cacheKey); + } + } + + // Delete flags not in the response + if (this.flagsCacheProvider.deleteMissing) { + await this.flagsCacheProvider.deleteMissing(cacheKeys); + } + + // Notify pending flag request + if (this.pendingFlagRequest) { + this.pendingFlagRequest(true); + } + } + + /** + * handleFlagMessage processes single flag messages + */ + private async handleFlagMessage(message: DataStreamResp): Promise { + const flag = message.data as Schematic.RulesengineFlag; + + if (!flag?.key) { + return; + } + + const cacheKey = this.flagCacheKey(flag.key); + + switch (message.message_type) { + case MessageType.DELETE: + await this.flagsCacheProvider.delete(cacheKey); + break; + case MessageType.FULL: + await this.flagsCacheProvider.set(cacheKey, flag); + break; + default: + this.log('warn', `Unhandled message type for flag: ${message.message_type}`); + break; + } + + // Notify pending flag request + if (this.pendingFlagRequest) { + this.pendingFlagRequest(true); + } + } + + /** + * handleErrorMessage processes error messages + */ + private async handleErrorMessage(message: DataStreamResp): Promise { + const errorData = message.data as any; + + if (errorData?.keys && errorData?.entity_type) { + // Notify pending requests with null/error + switch (errorData.entity_type) { + case EntityType.COMPANY: + this.notifyPendingCompanyRequests(errorData.keys, null); + break; + case EntityType.USER: + this.notifyPendingUserRequests(errorData.keys, null); + break; + default: + this.log('warn', `Received error for unsupported entity type: ${errorData.entity_type}`); + } + } + + // Log the error but don't emit error event - just continue processing like Go implementation + const errorMessage = errorData?.error || 'Unknown datastream error'; + this.log('warn', `DataStream error received: ${errorMessage}`); + } + + /** + * handleConnectionReady is called when the WebSocket connection is ready + */ + private async handleConnectionReady(ctx: any): Promise { + this.log('info', 'DataStream connection is ready'); + + // Request initial flag data + try { + await this.getAllFlags(); + this.log('debug', 'Requested initial flag data'); + } catch (error) { + this.log('error', `Failed to request initial flag data: ${error}`); + throw error; + } + } + + /** + * sendDataStreamRequest sends a request to the datastream + */ + private async sendDataStreamRequest(request: DataStreamReq): Promise { + if (!this.wsClient || !this.wsClient.isConnected()) { + throw new Error('DataStream client is not connected'); + } + + this.log('debug', `Sending datastream request: EntityType=${request.entity_type}, Keys=${JSON.stringify(request.keys)}`); + + // Package the message like the Go implementation + const packagedMessage = { + data: request + }; + + await this.wsClient.sendMessage(packagedMessage); + } + + /** + * getCompanyFromCache attempts to retrieve a company from cache using any of the provided keys + */ + private async getCompanyFromCache(keys: Record): Promise { + for (const [key, value] of Object.entries(keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); + const company = await this.companyCacheProvider.get(cacheKey); + if (company) { + return company; + } + } + return null; + } + + /** + * getUserFromCache attempts to retrieve a user from cache using any of the provided keys + */ + private async getUserFromCache(keys: Record): Promise { + for (const [key, value] of Object.entries(keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); + const user = await this.userCacheProvider.get(cacheKey); + if (user) { + return user; + } + } + return null; + } + + /** + * cacheCompanyForKeys caches a company for all of its keys + */ + private async cacheCompanyForKeys(company: Schematic.RulesengineCompany): Promise { + if (!company.keys || Object.keys(company.keys).length === 0) { + throw new Error('No keys provided for company lookup'); + } + + for (const [key, value] of Object.entries(company.keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); + try { + await this.companyCacheProvider.set(cacheKey, company, this.cacheTTL); + } catch (error) { + this.log('warn', `Failed to cache company for key '${cacheKey}': ${error}`); + } + } + } + + /** + * generateCacheKeysForCompany generates all cache keys for a company's keys + */ + private generateCacheKeysForCompany(keys: Record): string[] { + return Object.entries(keys).map(([key, value]) => + this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value) + ); + } + + /** + * generateCacheKeysForUser generates all cache keys for a user's keys + */ + private generateCacheKeysForUser(keys: Record): string[] { + return Object.entries(keys).map(([key, value]) => + this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value) + ); + } + + /** + * notifyPendingCompanyRequests notifies all pending company requests + */ + private notifyPendingCompanyRequests(keys: Record, company: Schematic.RulesengineCompany | null): void { + for (const [key, value] of Object.entries(keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); + const handlers = this.pendingCompanyRequests.get(cacheKey); + if (handlers) { + this.pendingCompanyRequests.delete(cacheKey); + handlers.forEach(handler => { + try { + handler(company); + } catch (error) { + this.log('error', `Error in company request handler: ${error}`); + } + }); + } + } + } + + /** + * notifyPendingUserRequests notifies all pending user requests + */ + private notifyPendingUserRequests(keys: Record, user: Schematic.RulesengineUser | null): void { + for (const [key, value] of Object.entries(keys)) { + const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); + const handlers = this.pendingUserRequests.get(cacheKey); + if (handlers) { + this.pendingUserRequests.delete(cacheKey); + handlers.forEach(handler => { + try { + handler(user); + } catch (error) { + this.log('error', `Error in user request handler: ${error}`); + } + }); + } + } + } + + /** + * cleanupPendingCompanyRequests removes a specific handler from pending company requests + */ + private cleanupPendingCompanyRequests(cacheKeys: string[], handler: PendingRequestHandler): void { + for (const cacheKey of cacheKeys) { + const handlers = this.pendingCompanyRequests.get(cacheKey); + if (handlers) { + const index = handlers.indexOf(handler); + if (index !== -1) { + handlers.splice(index, 1); + } + if (handlers.length === 0) { + this.pendingCompanyRequests.delete(cacheKey); + } + } + } + } + + /** + * cleanupPendingUserRequests removes a specific handler from pending user requests + */ + private cleanupPendingUserRequests(cacheKeys: string[], handler: PendingRequestHandler): void { + for (const cacheKey of cacheKeys) { + const handlers = this.pendingUserRequests.get(cacheKey); + if (handlers) { + const index = handlers.indexOf(handler); + if (index !== -1) { + handlers.splice(index, 1); + } + if (handlers.length === 0) { + this.pendingUserRequests.delete(cacheKey); + } + } + } + } + + /** + * clearPendingRequests clears all pending requests + */ + private clearPendingRequests(): void { + // Clear company requests + for (const [, handlers] of this.pendingCompanyRequests) { + handlers.forEach(handler => { + try { + handler(null); + } catch (error) { + this.log('error', `Error clearing company request: ${error}`); + } + }); + } + this.pendingCompanyRequests.clear(); + + // Clear user requests + for (const [, handlers] of this.pendingUserRequests) { + handlers.forEach(handler => { + try { + handler(null); + } catch (error) { + this.log('error', `Error clearing user request: ${error}`); + } + }); + } + this.pendingUserRequests.clear(); + + // Clear flag request + if (this.pendingFlagRequest) { + try { + this.pendingFlagRequest(false); + } catch (error) { + this.log('error', `Error clearing flag request: ${error}`); + } + this.pendingFlagRequest = undefined; + } + } + + /** + * startReplicatorHealthCheck starts periodic health checks for replicator mode + */ + private startReplicatorHealthCheck(): void { + if (!this.replicatorHealthURL) { + return; + } + + this.log('info', `Starting replicator health check with URL: ${this.replicatorHealthURL}, interval: ${this.replicatorHealthCheck}ms`); + + // Initial health check + this.checkReplicatorHealth(); + + // Set up periodic health checks + this.replicatorHealthInterval = setInterval(() => { + this.checkReplicatorHealth(); + }, this.replicatorHealthCheck); + } + + /** + * checkReplicatorHealth performs a single health check against the external replicator + */ + private async checkReplicatorHealth(): Promise { + if (!this.replicatorHealthURL) { + return; + } + + try { + const response = await fetch(this.replicatorHealthURL, { + method: 'GET', + // @ts-ignore - timeout is supported in newer Node.js versions + timeout: 5000, + }); + + if (!response.ok) { + throw new Error(`HTTP ${response.status}: ${response.statusText}`); + } + + const healthData = await response.json() as { ready?: boolean; cache_version?: string; cacheVersion?: string }; + const wasReady = this.replicatorReady; + this.replicatorReady = healthData.ready ?? false; + + // Extract cache version from response if available + const newCacheVersion = healthData.cache_version || healthData.cacheVersion; + if (newCacheVersion && newCacheVersion !== this.replicatorCacheVersion) { + const oldVersion = this.replicatorCacheVersion; + this.replicatorCacheVersion = newCacheVersion; + this.log('info', `Cache version changed from ${oldVersion || '(null)'} to ${newCacheVersion}`); + } + + // Log state changes + if (this.replicatorReady && !wasReady) { + this.log('info', 'External replicator is now ready'); + this.emit('replicator-health-changed', true); + } else if (!this.replicatorReady && wasReady) { + this.log('info', 'External replicator is no longer ready'); + this.emit('replicator-health-changed', false); + } + } catch (error) { + if (this.replicatorReady) { + this.replicatorReady = false; + this.log('info', 'External replicator is no longer ready'); + this.emit('replicator-health-changed', false); + } + this.log('debug', `Replicator health check failed: ${error}`); + } + } + + /** + * flagCacheKey generates a cache key for a flag + */ + private flagCacheKey(key: string): string { + // Use replicator cache version if available, otherwise use rules engine version + const versionKey = this.replicatorMode && this.replicatorCacheVersion + ? this.replicatorCacheVersion + : this.getRulesEngineVersionKey(); + + const cacheKey = `${CACHE_KEY_PREFIX_FLAGS}:${versionKey}:${key.toLowerCase()}`; + + this.log('debug', `Generated flag cache key - flag: ${key}, mode: ${this.replicatorMode ? 'replicator' : 'datastream'}, version: ${versionKey}, cacheKey: ${cacheKey}`); + + return cacheKey; + } + + /** + * resourceKeyToCacheKey generates a cache key for a resource + */ + private resourceKeyToCacheKey(resourceType: string, key: string, value: string): string { + // Use replicator cache version if available, otherwise use rules engine version + const versionKey = this.replicatorMode && this.replicatorCacheVersion + ? this.replicatorCacheVersion + : this.getRulesEngineVersionKey(); + return `${resourceType}:${versionKey}:${key.toLowerCase()}:${value.toLowerCase()}`; + } + + /** + * deepCopyCompany creates a complete deep copy of a Company struct + */ + private deepCopyCompany(company: Schematic.RulesengineCompany): Schematic.RulesengineCompany { + // Use JSON parsing for a deep copy - this matches the Go implementation approach + return JSON.parse(JSON.stringify(company)); + } + + /** + * evaluateFlag evaluates a flag using the rules engine + */ + private sanitizeForWasm(obj: any): any { + if (obj === null || obj === undefined) { + return null; + } + + if (Array.isArray(obj)) { + return obj.map(item => this.sanitizeForWasm(item)).filter(item => item !== null); + } + + if (typeof obj === 'object') { + const sanitized: any = {}; + for (const [key, value] of Object.entries(obj)) { + const sanitizedValue = this.sanitizeForWasm(value); + if (sanitizedValue !== null) { + sanitized[key] = sanitizedValue; + } + } + return sanitized; + } + + return obj; + } + + private async evaluateFlag( + flag: Schematic.RulesengineFlag, + company: Schematic.RulesengineCompany | null, + user: Schematic.RulesengineUser | null + ): Promise { + try { + // Use rules engine if initialized + if (this.rulesEngine.isInitialized()) { + this.log('debug', `Evaluating flag with rules engine: ${JSON.stringify({ flagId: flag.id, flagRules: flag.rules?.length || 0, companyId: company?.id, userId: user?.id })}`); + + // Sanitize flag data for WASM - ensure no null values in required arrays + const sanitizedFlag = this.sanitizeForWasm(flag); + if (!sanitizedFlag.rules) { + sanitizedFlag.rules = []; + } + + // Sanitize company and user data as well + const sanitizedCompany = company ? this.sanitizeForWasm(company) : null; + const sanitizedUser = user ? this.sanitizeForWasm(user) : null; + + const result = await this.rulesEngine.checkFlag(sanitizedFlag, sanitizedCompany, sanitizedUser); + this.log('debug', `Rules engine evaluation result: ${JSON.stringify(result)}`); + return { + flag: flag, + company: company, + user: user, + value: result.value ?? flag.defaultValue, + reason: result.reason || 'RULES_ENGINE_EVALUATION', + companyID: company?.id, + userID: user?.id, + flagID: flag.id, + ruleID: result.ruleId + }; + } else { + // Fallback to default value if rules engine not available + this.log('warn', 'Rules engine not initialized, using default flag value'); + return { + flag: flag, + company: company, + user: user, + value: flag.defaultValue, + reason: 'RULES_ENGINE_UNAVAILABLE', + companyID: company?.id, + userID: user?.id, + flagID: flag.id + }; + } + } catch (error) { + this.log('error', `Rules engine evaluation failed: ${error}`); + // Fallback to default value on error + return { + flag: flag, + company: company, + user: user, + value: flag.defaultValue, + reason: 'RULES_ENGINE_ERROR', + companyID: company?.id, + userID: user?.id, + flagID: flag.id + }; + } + } + + /** + * getRulesEngineVersionKey gets the version key from the rules engine + */ + private getRulesEngineVersionKey(): string { + try { + if (this.rulesEngine.isInitialized()) { + return this.rulesEngine.getVersionKey(); + } + } catch (error) { + this.log('warn', `Failed to get rules engine version key: ${error}`); + } + // Fallback to '1' if rules engine is not available or fails + return '1'; + } + + /** + * log helper function that safely logs messages + */ + private log(level: 'debug' | 'info' | 'warn' | 'error', msg: string): void { + if (!this.logger) { + return; + } + + const ctx = {}; + + switch (level) { + case 'debug': + this.logger.debug(ctx, msg); + break; + case 'info': + this.logger.info(ctx, msg); + break; + case 'warn': + this.logger.warn(ctx, msg); + break; + case 'error': + this.logger.error(ctx, msg); + break; + } + } +} \ No newline at end of file diff --git a/src/datastream/index.ts b/src/datastream/index.ts index ac3f8272..3b846558 100644 --- a/src/datastream/index.ts +++ b/src/datastream/index.ts @@ -1,8 +1,8 @@ -export { Client as DatastreamClient } from './client'; +// Main datastream client for external use +export { + DataStreamClient +} from './datastream-client'; export type { - Logger, - MessageHandlerFunc, - ConnectionReadyHandlerFunc, - ClientOptions, -} from './client'; -export * from './types'; \ No newline at end of file + DataStreamClientOptions, + DataStreamRedisConfig, +} from './datastream-client'; diff --git a/src/datastream/types.ts b/src/datastream/types.ts index 12e050db..3370a063 100644 --- a/src/datastream/types.ts +++ b/src/datastream/types.ts @@ -4,27 +4,26 @@ export type Action = "start" | "stop"; export enum EntityType { - Company = "rulesengine.Company", - Companies = "rulesengine.Companies", - Flag = "rulesengine.Flag", - Flags = "rulesengine.Flags", - User = "rulesengine.User", - Users = "rulesengine.Users", + COMPANY = "rulesengine.Company", + COMPANIES = "rulesengine.Companies", + USER = "rulesengine.User", + USERS = "rulesengine.Users", + FLAG = "rulesengine.Flag", + FLAGS = "rulesengine.Flags", } export enum MessageType { - Full = "full", - Partial = "partial", - Delete = "delete", - Error = "error", - Unknown = "unknown", + FULL = "full", + PARTIAL = "partial", + DELETE = "delete", + ERROR = "error", + UNKNOWN = "unknown", } /** * DataStreamReq represents a request message to the datastream */ export interface DataStreamReq { - action: Action; entity_type: EntityType; keys?: Record; } @@ -41,9 +40,8 @@ export interface DataStreamBaseReq { */ export interface DataStreamResp { data: any; // JSON raw message equivalent - entity_id?: string; entity_type: string; - message_type: MessageType; + message_type: string; } /** diff --git a/src/index.ts b/src/index.ts index 3a9407ec..099ecc3b 100644 --- a/src/index.ts +++ b/src/index.ts @@ -2,6 +2,8 @@ export * as Schematic from "./api"; export { LocalCache } from "./cache/local"; export { RedisCacheProvider } from "./cache/redis"; export { SchematicClient } from "./wrapper"; +export type { RedisOptions } from "./cache/redis"; +export type { DataStreamRedisConfig } from "./datastream"; export { SchematicEnvironment } from "./environments"; export { SchematicError, SchematicTimeoutError } from "./errors"; export { RulesEngineClient } from "./rules-engine"; @@ -14,17 +16,3 @@ export { WEBHOOK_SIGNATURE_HEADER, WEBHOOK_TIMESTAMP_HEADER } from "./webhooks"; -export { - DatastreamClient, - Logger, - MessageHandlerFunc, - ConnectionReadyHandlerFunc, - ClientOptions, - Action, - EntityType, - MessageType, - DataStreamReq, - DataStreamBaseReq, - DataStreamResp, - DataStreamError, -} from "./datastream"; diff --git a/src/wrapper.ts b/src/wrapper.ts index 4000f552..29d125b9 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -5,6 +5,7 @@ import { type CacheProvider, LocalCache } from "./cache"; import { ConsoleLogger, Logger } from "./logger"; import { EventBuffer } from "./events"; import { offlineFetcher, provideFetcher } from "./core/fetcher/custom"; +import { DataStreamClient, type DataStreamClientOptions, type DataStreamRedisConfig } from "./datastream"; /** * Configuration options for the SchematicClient @@ -19,6 +20,21 @@ export interface SchematicOptions { /** Providers for caching flag check results */ flagChecks?: CacheProvider[]; }; + /** DataStream configuration options */ + dataStream?: { + /** Enable DataStream for real-time updates */ + enabled?: boolean; + /** Cache TTL in milliseconds (default: 5 minutes) */ + cacheTTL?: number; + /** Redis configuration for DataStream caching */ + redisConfig?: DataStreamRedisConfig; + /** Enable replicator mode for external data synchronization */ + replicatorMode?: boolean; + /** Health check URL for replicator mode */ + replicatorHealthURL?: string; + /** Health check interval for replicator mode in milliseconds */ + replicatorHealthCheck?: number; + }; /** If using an API key that is not environment-specific, use this option to specify the environment */ environmentId?: string; /** Interval in milliseconds for flushing event buffer */ @@ -43,6 +59,7 @@ export interface CheckFlagOptions { } export class SchematicClient extends BaseClient { + private datastreamClient?: DataStreamClient; private eventBuffer: EventBuffer; private flagCheckCacheProviders: CacheProvider[]; private flagDefaults: { [key: string]: boolean }; @@ -100,6 +117,30 @@ export class SchematicClient extends BaseClient { this.flagCheckCacheProviders = opts?.cacheProviders?.flagChecks ?? [new LocalCache()]; this.flagDefaults = flagDefaults; this.offline = offline; + + // Initialize DataStream client if enabled + if (opts?.dataStream?.enabled && !offline) { + const datastreamOptions: DataStreamClientOptions = { + apiKey, + baseURL: basePath, + logger, + cacheTTL: opts.dataStream.cacheTTL, + redisConfig: opts.dataStream.redisConfig, + replicatorMode: opts.dataStream.replicatorMode, + replicatorHealthURL: opts.dataStream.replicatorHealthURL, + replicatorHealthCheck: opts.dataStream.replicatorHealthCheck, + }; + + this.datastreamClient = new DataStreamClient(datastreamOptions); + this.datastreamClient.start(); + } + } + + /** + * Returns whether DataStream is enabled and available + */ + private useDataStream(): boolean { + return this.datastreamClient !== undefined; } /** @@ -123,11 +164,52 @@ export class SchematicClient extends BaseClient { return getDefault(); } + if (this.useDataStream()) { + // In replicator mode, check if replicator is ready before using datastream + if (this.datastreamClient!.isReplicatorMode() && !this.datastreamClient!.isReplicatorReady()) { + this.logger.debug("Replicator mode enabled but replicator not ready, falling back to API"); + return this.checkFlagViaAPI(evalCtx, key); + } + + try { + const resp = await this.datastreamClient!.checkFlag(evalCtx, key); + + // Extract boolean value from DataStream response + const flagValue = typeof resp === 'boolean' ? resp : resp?.value; + + // Track the flag check event + this.track({ + event: "flag_check", + company: evalCtx.company, + user: evalCtx.user, + traits: { + flag_key: key, + value: flagValue, + company_id: resp?.company?.id, + user_id: resp?.user?.id, + flag_id: resp?.flag?.id, + req_company: evalCtx.company, + req_user: evalCtx.user, + reason: resp?.reason, + }, + }); + + return flagValue ?? this.getFlagDefault(key); + } catch (err) { + this.logger.debug(`Datastream flag check failed (${err}), falling back to API`); + return this.checkFlagViaAPI(evalCtx, key); + } + } + + return this.checkFlagViaAPI(evalCtx, key); + } + + private async checkFlagViaAPI(evalCtx: api.CheckFlagRequestBody, key: string): Promise { try { const cacheKey = JSON.stringify({ evalCtx, key }); for (const provider of this.flagCheckCacheProviders) { const cachedValue = await provider.get(cacheKey); - if (cachedValue !== undefined) { + if (cachedValue !== null && cachedValue !== undefined) { this.logger.debug(`${provider.constructor.name} cache hit for flag ${key}`); return cachedValue; } @@ -194,7 +276,7 @@ export class SchematicClient extends BaseClient { for (const provider of this.flagCheckCacheProviders) { const cachedValue = await provider.get(cacheKey); - if (cachedValue !== undefined) { + if (cachedValue !== null && cachedValue !== undefined) { this.logger.debug(`${provider.constructor.name} cache hit for flag ${key}`); cachedResults.set(key, { flag: key, @@ -275,10 +357,13 @@ export class SchematicClient extends BaseClient { } /** - * Gracefully shuts down the client by stopping the event buffer - * @returns Promise that resolves when the event buffer has been stopped + * Gracefully shuts down the client by stopping the event buffer and DataStream client + * @returns Promise that resolves when everything has been stopped */ async close(): Promise { + if (this.datastreamClient) { + this.datastreamClient.close(); + } return this.eventBuffer.stop(); } @@ -309,6 +394,19 @@ export class SchematicClient extends BaseClient { try { await this.enqueueEvent("track", body); + + // Update company metrics in DataStream if available and connected + if (body.company && this.useDataStream() && this.datastreamClient!.isConnected()) { + try { + await this.datastreamClient!.updateCompanyMetrics( + body.company, + body.event, + body.quantity || 1 + ); + } catch (err) { + this.logger.error(`Failed to update company metrics: ${err}`); + } + } } catch (err) { this.logger.error(`Error sending track event: ${err}`); } From 82b97c019a961cd79a865f657b4f648d72b2f5b5 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 18 Dec 2025 08:55:29 -0700 Subject: [PATCH 05/21] add necessary wasm files --- src/wasm/rulesengine_bg.wasm | Bin 321328 -> 321328 bytes src/wasm/rulesengine_bg.wasm.d.ts | 24 ++++++++++++++++++++++++ 2 files changed, 24 insertions(+) create mode 100644 src/wasm/rulesengine_bg.wasm.d.ts diff --git a/src/wasm/rulesengine_bg.wasm b/src/wasm/rulesengine_bg.wasm index c9038c629b4504459fcb5a22ca0e7056d873f1b0..b931b8d1ff7f40bfad7da4e21f4f2fc84fe44abd 100644 GIT binary patch delta 2400 zcmYjR3sjVK7N2|X2PhzpARLDT#$zH1itaHbQ4tgc)D+ERThVp1TwiD{U~3Pv^0A$8 zvst{PlDeglDbktrx+cm)T`=%bK2TIfFq~FWL`xEty@N`gnfdPTcmMbGzxU2paLlhj zzpLD1n&~&Hpjs-X&tVtV(Iq-fXXp<7N-gA|%XE>>(mA?7HB?Pibe_I^^w~)}DWCG~ zN8B?8p|jRDJo+Rw*gFrKfpFcHHliFd>`^gM2#0L1#^%BXTj#h;n@^mdEhjF$jah7= zqf#HC+))P}p^VYb!$#ZD(c|C~^|06?-_8I#e zq{^5Bx4WwtRK2nn9MAq1R)US=0R9IbOFsk~fK!SIk_JGLcn^Z_4A>x5QQ+yetwuxpyR{aF7fABNC$@8l8<)qbi;|028$bUk}va6$5bL<3v*iY9bcZ zZ!&aP$%AorN4U#-VsJh?5^*kX9*&2kX96Yzv~WhEs(XyYFsyR0_9#XYlQ7ql3sbNs z&wL*|#5@&!kWb9OAc>xa?*a!;Q+PfFivafW$r%`GbM$iO&Qr029Dflbkn5kv9@0G( zzX5KUjy<@cMC-Svq9Ls_Fs&1ukhBH(o14nNzJ^(59q_O3;#LJ|01qZQA z6s3cl+>3)i$`9j0($NelM>D};PN={I+Ogdg_?n8aO8lFq+gOQ#0Eb16p}V1F9rzyo z5pM8u?s_ko|S|HNby4?MFP!v_dhd>cMx!>J?A<=34!Sc}-@#JQ*uEZ14D23wHfG!2x-Q}n4DT#P5%MIwhE5?k_ta7-@XR`TmP7R+Id!xH;kd-t(_hqC@~+Yy^^(m$(U)p2 zNey(6RPWhH6M-X}D4bU}(Vw(Q%WqNur`@EkjH-o2E=Auqysn8Np$`ve(zBwQa?oCf%Ye=wPJJk2TLXC-BkR)Lq~gTIZF$+vuFV&FH)==V*~B*2i2*UOpx( z#P0u2sb4$2=b~NP>4#-Xz1rzL7d5xj6RuGH?eva|2DH=t6-wROsk2JL#-e3;UFWVM}fcD6ksx$ z64NqgEtoso`pSY?bF4{ICO$XRYC553e*9CA@luz4YSLYQdwk6%Pn9K-8f-*#g6;A_ zxZ&>YpARNesOk@Rn@x*V7AgDE@D4-riqgW3}tfs~o@lny!Sd*A0 zXp_)*+~6R`jc8(v7Og#-dWi}F@qq{t8y~BnEMN%sh#>e1q@lACk(|5x&Hp#|&VA1P zzN26J9F^ZTL)0Vso+_xGO6YU=CpORxx<-%bDm|f2a#A&2r#iYqx5!1cbdzf6h?Ij; z4oea1IBQ4`$GisH}!U zJ_&!HiccCGCo@O(0jHxeXBc`rYm0T30@9hSMyoyqJ))hC!S>01QvF-UF+J>bSiYPM zU~?=v?jmtU6+IXtCcHXhI8a82NAh*jIfO2isQgnnKWniPH;VtoqYYX!nBsytWYh zIOQk=sRM-&;>lZTV5f>Nhik}_ugI{e=O77{wG!q}kij9~qr z@fZS6IM*Mis1t$clGEZnR(u^=m2oJh0_;^Qeu+(p&Zj#Q#p%=Vv>FzNi2xm(9xq)y znvN?~d;;1{+?k9+Ipsa@RF(zU7rAf|2B?Wi_%3kc%Q#HA7U6Ngyn41K;b3lFf+m}5 zxPkjEkWIO`7(M@8XsbxV=H8 zAHs16CH#+k+$@{-XXQC5dAH%~i~lkpEqkV|;4-IrEyF;7?j}KG&PwI>+7A zpWB>hr4BUn*16=*W3J;!*sT^_cQ3C)-MoPYci*?GF-|b7MmEe#8e1{ig|Ay0iF2!Q zfP!0C3;g>oWXx_*U0vuxxXUi2rEpKh5d90Fj2~!pMkaGyPqHK)V|Z%z8|XD)HXG?J z4l_`H&N0$5nc9y=8ZQHm^PrU|v3pIlK=7f7J|pF-m0Xfr?OBJ10Gj!WdR!}a0Yy^Zg~Mz#K1+(t63jwVUddz^X)6QENax`V+4=hUUUXa-Jek&XDS z88>&U)%TvMc2Sc3Yg*)P)jU9N4sOK_-73EoSIQFn?&FSbN5Orx!$w}%hLJMB$89(p zxu#iS?mdt^$l+xVrJ_Uad5HTpILA>PxK(nzq(ip2Q<*w3SyS14Dc;Q4gJ=cE4WhYR z=T9qC*C0BN{O3RleS!2Ubh0ssCQ6@EgQz~R*Nateg%AvhcB+V%D96Bo z(r(@I)hrDIw75h&Y*Z@iKAw~rh3&CPfL+IXHhI4m_-Zu6}Or)n|497 zx;C3u1C(;?9LnYi^T~%>=g{&VW#qKEl+p{o{W&Hl(wjVS9(i(YA|=Bdo-~hMglyh4 zk7o9Ys+mXf0a7o{rz(U}WnM@v5wgP0Ogc3kJCNZDy`Wkz)2Dj5ARphLfdH2{ubSfF zwrZ=UJ^&Yw-K0_SB37eo=`w=zSUm*;r#8?84wi??ZlHXGDizyEzms5<_Z>Z!D3yDM z4oY*CaF@O!VN)y30j|4GBi#>Qp4CPJU?eXU!x!7c@k$#lhOll&+I{lV%E9~`*U9Fl zwoxdo;j!&xW$$(hQghoW6FhLks%UMMC5Fo%&=3U=X_whhaK2aazWo7tZ;W_?!k|Kj@j98ik}N?FL9QjuS9xpNoBmuCpbgM}o)G void; +export const checkFlag: (a: number, b: number, c: number, d: number, e: number, f: number) => number; +export const evaluateRule: (a: number, b: number, c: number, d: number, e: number, f: number) => number; +export const getCurrentMetricPeriodStartForCalendarMetricPeriod: (a: number) => bigint; +export const getCurrentMetricPeriodStartForCompanyBillingSubscription: (a: number, b: number) => bigint; +export const getNextMetricPeriodStartForCalendarMetricPeriod: (a: number) => bigint; +export const getNextMetricPeriodStartForCompanyBillingSubscription: (a: number, b: number) => bigint; +export const getResultJson: () => number; +export const getResultJsonLength: () => number; +export const get_version_key_wasm: () => number; +export const rulesenginejs_checkFlag: (a: number, b: number, c: number, d: number, e: number, f: number, g: number) => [number, number, number, number]; +export const rulesenginejs_evaluateRule: (a: number, b: number, c: number, d: number, e: number, f: number, g: number) => [number, number, number]; +export const rulesenginejs_getVersionKey: (a: number) => [number, number]; +export const rulesenginejs_new: () => number; +export const test_function: () => number; +export const __wbindgen_externrefs: WebAssembly.Table; +export const __wbindgen_malloc: (a: number, b: number) => number; +export const __wbindgen_realloc: (a: number, b: number, c: number, d: number) => number; +export const __externref_table_dealloc: (a: number) => void; +export const __wbindgen_free: (a: number, b: number, c: number) => void; +export const __wbindgen_start: () => void; From 4fe7f5a19f76cb9fd76e4130719101f279cd68a3 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:15:05 -0700 Subject: [PATCH 06/21] remove unused imports --- src/rules-engine.ts | 2 -- 1 file changed, 2 deletions(-) diff --git a/src/rules-engine.ts b/src/rules-engine.ts index 8473ebbc..02eb5c2c 100644 --- a/src/rules-engine.ts +++ b/src/rules-engine.ts @@ -1,6 +1,4 @@ import { RulesEngineJS } from './wasm/rulesengine.js'; -import { readFileSync } from 'fs'; -import { join } from 'path'; /** * High-performance rules engine for flag evaluation and rule processing. From cdc50322d18472ea69ff714be064c22701dfe0d7 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:16:57 -0700 Subject: [PATCH 07/21] cleaner way of dynamically importing redis --- src/cache/redis.ts | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/cache/redis.ts b/src/cache/redis.ts index 33ee15f8..28f4de8a 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -35,8 +35,8 @@ export class RedisCacheProvider implements CacheProvider { private async initRedisClient(options: RedisOptions): Promise { try { - // Try to dynamically import redis using eval to avoid TypeScript compilation errors - const redisModule = await eval(`import('redis')`); + // Dynamically import redis so it's only loaded if actually used + const redisModule = await import('redis' as any); const { createClient } = redisModule; let clientConfig: any = {}; From d8f356a8a1e11fe693924c2918685638c423be2b Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:17:09 -0700 Subject: [PATCH 08/21] remove logging from redis client --- src/cache/redis.ts | 100 +++++++++++++++++---------------------------- 1 file changed, 37 insertions(+), 63 deletions(-) diff --git a/src/cache/redis.ts b/src/cache/redis.ts index 28f4de8a..72d2acde 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -60,8 +60,7 @@ export class RedisCacheProvider implements CacheProvider { this.client = createClient(clientConfig); - this.client.on('error', (err: Error) => { - console.error('Redis Client Error:', err); + this.client.on('error', () => { this.isConnected = false; }); @@ -89,26 +88,17 @@ export class RedisCacheProvider implements CacheProvider { async get(key: string): Promise { if (!this.isConnected || !this.client) { - console.log(`Debug: Redis not connected (connected: ${this.isConnected}, client: ${!!this.client}) for key: ${key}`); return null; } - try { - const fullKey = this.getFullKey(key); - console.log(`Debug: Redis GET attempt - key: ${key}, fullKey: ${fullKey}, port: ${this.client.options?.socket?.port || 'unknown'}`); - const value = await this.client.get(fullKey); - - if (value === null) { - console.log(`Debug: Redis GET result - key not found: ${fullKey}`); - return null; - } - - console.log(`Debug: Redis GET result - key found: ${fullKey}`); - return JSON.parse(value) as T; - } catch (error) { - console.error('Redis get error:', error); + const fullKey = this.getFullKey(key); + const value = await this.client.get(fullKey); + + if (value === null) { return null; } + + return JSON.parse(value) as T; } async set(key: string, value: T, ttl?: number): Promise { @@ -116,18 +106,14 @@ export class RedisCacheProvider implements CacheProvider { return; } - try { - const fullKey = this.getFullKey(key); - const serializedValue = JSON.stringify(value); - const actualTTL = ttl ? Math.floor(ttl / 1000) : this.defaultTTL; + const fullKey = this.getFullKey(key); + const serializedValue = JSON.stringify(value); + const actualTTL = ttl ? Math.floor(ttl / 1000) : this.defaultTTL; - if (actualTTL > 0) { - await this.client.setEx(fullKey, actualTTL, serializedValue); - } else { - await this.client.set(fullKey, serializedValue); - } - } catch (error) { - console.error('Redis set error:', error); + if (actualTTL > 0) { + await this.client.setEx(fullKey, actualTTL, serializedValue); + } else { + await this.client.set(fullKey, serializedValue); } } @@ -136,12 +122,8 @@ export class RedisCacheProvider implements CacheProvider { return; } - try { - const fullKey = this.getFullKey(key); - await this.client.del(fullKey); - } catch (error) { - console.error('Redis delete error:', error); - } + const fullKey = this.getFullKey(key); + await this.client.del(fullKey); } async deleteMissing(keysToKeep: string[]): Promise { @@ -149,26 +131,22 @@ export class RedisCacheProvider implements CacheProvider { return; } - try { - // Get all keys with our prefix - const pattern = this.keyPrefix + '*'; - const allKeys = await this.client.keys(pattern); - - if (allKeys.length === 0) { - return; - } + // Get all keys with our prefix + const pattern = this.keyPrefix + '*'; + const allKeys = await this.client.keys(pattern); + + if (allKeys.length === 0) { + return; + } - // Convert keysToKeep to full keys - const fullKeysToKeep = new Set(keysToKeep.map(k => this.getFullKey(k))); - - // Find keys to delete - const keysToDelete = allKeys.filter((key: string) => !fullKeysToKeep.has(key)); - - if (keysToDelete.length > 0) { - await this.client.del(keysToDelete); - } - } catch (error) { - console.error('Redis deleteMissing error:', error); + // Convert keysToKeep to full keys + const fullKeysToKeep = new Set(keysToKeep.map(k => this.getFullKey(k))); + + // Find keys to delete + const keysToDelete = allKeys.filter((key: string) => !fullKeysToKeep.has(key)); + + if (keysToDelete.length > 0) { + await this.client.del(keysToDelete); } } @@ -176,7 +154,7 @@ export class RedisCacheProvider implements CacheProvider { * Reset all keys with our prefix (implements resetCache) */ resetCache(): void { - this.clear().catch(console.error); + this.clear(); } /** @@ -187,15 +165,11 @@ export class RedisCacheProvider implements CacheProvider { return; } - try { - const pattern = this.keyPrefix + '*'; - const keys = await this.client.keys(pattern); - - if (keys.length > 0) { - await this.client.del(keys); - } - } catch (error) { - console.error('Redis clear error:', error); + const pattern = this.keyPrefix + '*'; + const keys = await this.client.keys(pattern); + + if (keys.length > 0) { + await this.client.del(keys); } } From f6d71c08d561929a4f89a0e938beec0f3ab3c26e Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:17:39 -0700 Subject: [PATCH 09/21] update to use default value functiionality --- src/wrapper.ts | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/src/wrapper.ts b/src/wrapper.ts index 29d125b9..c12a0946 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -168,7 +168,7 @@ export class SchematicClient extends BaseClient { // In replicator mode, check if replicator is ready before using datastream if (this.datastreamClient!.isReplicatorMode() && !this.datastreamClient!.isReplicatorReady()) { this.logger.debug("Replicator mode enabled but replicator not ready, falling back to API"); - return this.checkFlagViaAPI(evalCtx, key); + return this.checkFlagViaAPI(evalCtx, key, options, getDefault); } try { @@ -197,14 +197,16 @@ export class SchematicClient extends BaseClient { return flagValue ?? this.getFlagDefault(key); } catch (err) { this.logger.debug(`Datastream flag check failed (${err}), falling back to API`); - return this.checkFlagViaAPI(evalCtx, key); + return this.checkFlagViaAPI(evalCtx, key, options, getDefault); } } - return this.checkFlagViaAPI(evalCtx, key); + return this.checkFlagViaAPI(evalCtx, key, options, getDefault); } - private async checkFlagViaAPI(evalCtx: api.CheckFlagRequestBody, key: string): Promise { + private async checkFlagViaAPI(evalCtx: api.CheckFlagRequestBody, key: string, options?: CheckFlagOptions, getDefault?: () => boolean): Promise { + const getDefaultValue = getDefault ?? (() => this.getFlagDefault(key)); + try { const cacheKey = JSON.stringify({ evalCtx, key }); for (const provider of this.flagCheckCacheProviders) { @@ -220,7 +222,7 @@ export class SchematicClient extends BaseClient { }); if (response.data.value === undefined) { this.logger.debug(`No value returned from feature flag API for flag ${key}, falling back to default`); - return getDefault(); + return getDefaultValue(); } for (const provider of this.flagCheckCacheProviders) { @@ -232,7 +234,7 @@ export class SchematicClient extends BaseClient { return response.data.value; } catch (err) { this.logger.error(`Error checking flag ${key}: ${err}`); - return getDefault(); + return getDefaultValue(); } } From 7d1a14c84fabdcf4b48fda957b1b4d977cf795cc Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:17:59 -0700 Subject: [PATCH 10/21] error handling around cache operations --- src/datastream/datastream-client.ts | 85 +++++++++++++++++++++-------- 1 file changed, 61 insertions(+), 24 deletions(-) diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts index a224de16..489702d9 100644 --- a/src/datastream/datastream-client.ts +++ b/src/datastream/datastream-client.ts @@ -395,8 +395,13 @@ export class DataStreamClient extends EventEmitter { public async getFlag(flagKey: string): Promise { const cacheKey = this.flagCacheKey(flagKey); this.log('debug', `Retrieving flag from cache: ${flagKey} (cache key: ${cacheKey})`); - const result = await this.flagsCacheProvider.get(cacheKey); - return result || null; + try { + const result = await this.flagsCacheProvider.get(cacheKey); + return result || null; + } catch (error) { + this.log('warn', `Failed to retrieve flag from cache: ${error}`); + return null; + } } /** @@ -690,7 +695,11 @@ export class DataStreamClient extends EventEmitter { if (company.keys) { for (const [key, value] of Object.entries(company.keys)) { const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); - await this.companyCacheProvider.delete(cacheKey); + try { + await this.companyCacheProvider.delete(cacheKey); + } catch (error) { + this.log('warn', `Failed to delete company from cache: ${error}`); + } } } return; @@ -718,7 +727,11 @@ export class DataStreamClient extends EventEmitter { if (user.keys) { for (const [key, value] of Object.entries(user.keys)) { const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); - await this.userCacheProvider.delete(cacheKey); + try { + await this.userCacheProvider.delete(cacheKey); + } catch (error) { + this.log('warn', `Failed to delete user from cache: ${error}`); + } } } return; @@ -728,7 +741,11 @@ export class DataStreamClient extends EventEmitter { if (user.keys) { for (const [key, value] of Object.entries(user.keys)) { const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); - await this.userCacheProvider.set(cacheKey, user, this.cacheTTL); + try { + await this.userCacheProvider.set(cacheKey, user, this.cacheTTL); + } catch (error) { + this.log('warn', `Failed to cache user: ${error}`); + } } } @@ -751,14 +768,22 @@ export class DataStreamClient extends EventEmitter { for (const flag of flags) { if (flag?.key) { const cacheKey = this.flagCacheKey(flag.key); - await this.flagsCacheProvider.set(cacheKey, flag); - cacheKeys.push(cacheKey); + try { + await this.flagsCacheProvider.set(cacheKey, flag); + cacheKeys.push(cacheKey); + } catch (error) { + this.log('warn', `Failed to cache flag: ${error}`); + } } } // Delete flags not in the response if (this.flagsCacheProvider.deleteMissing) { - await this.flagsCacheProvider.deleteMissing(cacheKeys); + try { + await this.flagsCacheProvider.deleteMissing(cacheKeys); + } catch (error) { + this.log('warn', `Failed to delete missing flags: ${error}`); + } } // Notify pending flag request @@ -779,16 +804,20 @@ export class DataStreamClient extends EventEmitter { const cacheKey = this.flagCacheKey(flag.key); - switch (message.message_type) { - case MessageType.DELETE: - await this.flagsCacheProvider.delete(cacheKey); - break; - case MessageType.FULL: - await this.flagsCacheProvider.set(cacheKey, flag); - break; - default: - this.log('warn', `Unhandled message type for flag: ${message.message_type}`); - break; + try { + switch (message.message_type) { + case MessageType.DELETE: + await this.flagsCacheProvider.delete(cacheKey); + break; + case MessageType.FULL: + await this.flagsCacheProvider.set(cacheKey, flag); + break; + default: + this.log('warn', `Unhandled message type for flag: ${message.message_type}`); + break; + } + } catch (error) { + this.log('warn', `Failed to update flag cache: ${error}`); } // Notify pending flag request @@ -862,9 +891,13 @@ export class DataStreamClient extends EventEmitter { private async getCompanyFromCache(keys: Record): Promise { for (const [key, value] of Object.entries(keys)) { const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_COMPANY, key, value); - const company = await this.companyCacheProvider.get(cacheKey); - if (company) { - return company; + try { + const company = await this.companyCacheProvider.get(cacheKey); + if (company) { + return company; + } + } catch (error) { + this.log('warn', `Failed to retrieve company from cache: ${error}`); } } return null; @@ -876,9 +909,13 @@ export class DataStreamClient extends EventEmitter { private async getUserFromCache(keys: Record): Promise { for (const [key, value] of Object.entries(keys)) { const cacheKey = this.resourceKeyToCacheKey(CACHE_KEY_PREFIX_USER, key, value); - const user = await this.userCacheProvider.get(cacheKey); - if (user) { - return user; + try { + const user = await this.userCacheProvider.get(cacheKey); + if (user) { + return user; + } + } catch (error) { + this.log('warn', `Failed to retrieve user from cache: ${error}`); } } return null; From 932cb491c7e0975a48073b0ef906decef89f3822 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 10:28:31 -0700 Subject: [PATCH 11/21] check cache first before falling back --- src/wrapper.ts | 6 ------ 1 file changed, 6 deletions(-) diff --git a/src/wrapper.ts b/src/wrapper.ts index c12a0946..b95a3a6f 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -165,12 +165,6 @@ export class SchematicClient extends BaseClient { } if (this.useDataStream()) { - // In replicator mode, check if replicator is ready before using datastream - if (this.datastreamClient!.isReplicatorMode() && !this.datastreamClient!.isReplicatorReady()) { - this.logger.debug("Replicator mode enabled but replicator not ready, falling back to API"); - return this.checkFlagViaAPI(evalCtx, key, options, getDefault); - } - try { const resp = await this.datastreamClient!.checkFlag(evalCtx, key); From 461cc445ca93b9f7c6711198e146e680ca7dfe1f Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 17:22:36 -0700 Subject: [PATCH 12/21] remove clear from cache providers --- src/cache/local.test.ts | 4 ---- src/cache/local.ts | 17 ----------------- src/cache/redis.ts | 23 ----------------------- src/cache/types.ts | 2 -- src/datastream/datastream-client.ts | 11 ----------- 5 files changed, 57 deletions(-) diff --git a/src/cache/local.test.ts b/src/cache/local.test.ts index d12b3c34..3373f0c7 100644 --- a/src/cache/local.test.ts +++ b/src/cache/local.test.ts @@ -12,7 +12,6 @@ describe("LocalCache", () => { }); afterEach(() => { - cache.resetCache(); jest.clearAllTimers(); }); @@ -53,7 +52,6 @@ describe("LocalCache", () => { expect(value2).toBeNull(); // key2 should be evicted expect(value3).toEqual({ data: "value3" }); expect(value4).toEqual({ data: "value4" }); - smallCache.resetCache(); }); it("should update the access counter on get", async () => { @@ -84,7 +82,6 @@ describe("LocalCache", () => { await zeroItemCache.set("key1", { data: "value1" }); const value = await zeroItemCache.get("key1"); expect(value).toBeNull(); - zeroItemCache.resetCache(); }); it("should maintain the correct number of items", async () => { @@ -96,6 +93,5 @@ describe("LocalCache", () => { } expect((testCache as any).cache.size).toBe(maxItems); - testCache.resetCache(); }); }); diff --git a/src/cache/local.ts b/src/cache/local.ts index 84286996..b8428d74 100644 --- a/src/cache/local.ts +++ b/src/cache/local.ts @@ -88,23 +88,6 @@ class LocalCache implements CacheProvider { } } - resetCache(): void { - this.cache.forEach((item) => { - if (item.timeoutId) { - clearTimeout(item.timeoutId); - } - }); - this.cache.clear(); - this.accessCounter = 0; - } - - /** - * Clear all items from the cache (alias for resetCache) - */ - clear(): void { - this.resetCache(); - } - private evictItem(key: string, item: CacheItem): void { if (item.timeoutId) { clearTimeout(item.timeoutId); diff --git a/src/cache/redis.ts b/src/cache/redis.ts index 72d2acde..c655d768 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -150,29 +150,6 @@ export class RedisCacheProvider implements CacheProvider { } } - /** - * Reset all keys with our prefix (implements resetCache) - */ - resetCache(): void { - this.clear(); - } - - /** - * Clear all keys with our prefix - */ - async clear(): Promise { - if (!this.isConnected || !this.client) { - return; - } - - const pattern = this.keyPrefix + '*'; - const keys = await this.client.keys(pattern); - - if (keys.length > 0) { - await this.client.del(keys); - } - } - /** * Close the Redis connection */ diff --git a/src/cache/types.ts b/src/cache/types.ts index d3266c48..9abfab13 100644 --- a/src/cache/types.ts +++ b/src/cache/types.ts @@ -10,8 +10,6 @@ export interface CacheProvider { delete(key: string): Promise; /** Delete all keys not in the keysToKeep array (optional, for bulk operations) */ deleteMissing?(keysToKeep: string[]): Promise; - /** Reset/clear the entire cache */ - resetCache?(): void; } export interface CacheOptions { diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts index 489702d9..073a0806 100644 --- a/src/datastream/datastream-client.ts +++ b/src/datastream/datastream-client.ts @@ -565,17 +565,6 @@ export class DataStreamClient extends EventEmitter { // Clear all pending requests this.clearPendingRequests(); - // Clear cache timers to prevent hanging - if (this.companyCacheProvider && 'clear' in this.companyCacheProvider) { - (this.companyCacheProvider as any).clear(); - } - if (this.userCacheProvider && 'clear' in this.userCacheProvider) { - (this.userCacheProvider as any).clear(); - } - if (this.flagsCacheProvider && 'clear' in this.flagsCacheProvider) { - (this.flagsCacheProvider as any).clear(); - } - // Close WebSocket client if (this.wsClient) { this.wsClient.close(); From b070a1fb66ce6469452919f61c86265c5f37618e Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 17:33:28 -0700 Subject: [PATCH 13/21] use rulesengine check flag result for check flag result --- src/datastream/datastream-client.ts | 38 ++++++++++++----------------- src/wrapper.ts | 6 ++--- 2 files changed, 19 insertions(+), 25 deletions(-) diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts index 073a0806..a015d20d 100644 --- a/src/datastream/datastream-client.ts +++ b/src/datastream/datastream-client.ts @@ -1,6 +1,6 @@ import { EventEmitter } from 'events'; import * as Schematic from '../api/types'; -import { DatastreamWSClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc } from './client'; +import { DatastreamWSClient, Logger } from './client'; import { DataStreamResp, DataStreamReq, EntityType, MessageType } from './types'; import { RulesEngineClient } from '../rules-engine'; @@ -456,7 +456,7 @@ export class DataStreamClient extends EventEmitter { public async checkFlag( evalCtx: { company?: Record; user?: Record }, flagKey: string - ): Promise { + ): Promise { // Get flag first - return error if not found const flag = await this.getFlag(flagKey); if (!flag) { @@ -1194,7 +1194,7 @@ export class DataStreamClient extends EventEmitter { flag: Schematic.RulesengineFlag, company: Schematic.RulesengineCompany | null, user: Schematic.RulesengineUser | null - ): Promise { + ): Promise { try { // Use rules engine if initialized if (this.rulesEngine.isInitialized()) { @@ -1213,42 +1213,36 @@ export class DataStreamClient extends EventEmitter { const result = await this.rulesEngine.checkFlag(sanitizedFlag, sanitizedCompany, sanitizedUser); this.log('debug', `Rules engine evaluation result: ${JSON.stringify(result)}`); return { - flag: flag, - company: company, - user: user, + flagKey: flag.key, value: result.value ?? flag.defaultValue, reason: result.reason || 'RULES_ENGINE_EVALUATION', - companyID: company?.id, - userID: user?.id, - flagID: flag.id, - ruleID: result.ruleId + companyId: company?.id, + userId: user?.id, + flagId: flag.id, + ruleId: result.ruleId }; } else { // Fallback to default value if rules engine not available this.log('warn', 'Rules engine not initialized, using default flag value'); return { - flag: flag, - company: company, - user: user, + flagKey: flag.key, value: flag.defaultValue, reason: 'RULES_ENGINE_UNAVAILABLE', - companyID: company?.id, - userID: user?.id, - flagID: flag.id + companyId: company?.id, + userId: user?.id, + flagId: flag.id }; } } catch (error) { this.log('error', `Rules engine evaluation failed: ${error}`); // Fallback to default value on error return { - flag: flag, - company: company, - user: user, + flagKey: flag.key, value: flag.defaultValue, reason: 'RULES_ENGINE_ERROR', - companyID: company?.id, - userID: user?.id, - flagID: flag.id + companyId: company?.id, + userId: user?.id, + flagId: flag.id }; } } diff --git a/src/wrapper.ts b/src/wrapper.ts index b95a3a6f..c554caee 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -179,9 +179,9 @@ export class SchematicClient extends BaseClient { traits: { flag_key: key, value: flagValue, - company_id: resp?.company?.id, - user_id: resp?.user?.id, - flag_id: resp?.flag?.id, + company_id: resp?.companyId, + user_id: resp?.userId, + flag_id: resp?.flagId, req_company: evalCtx.company, req_user: evalCtx.user, reason: resp?.reason, From afbefae745739973ca092acda4396ff9bfbc1662 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 17:42:27 -0700 Subject: [PATCH 14/21] ensure redis is connected before performing operations --- src/cache/redis.ts | 19 +++++++++++++++---- 1 file changed, 15 insertions(+), 4 deletions(-) diff --git a/src/cache/redis.ts b/src/cache/redis.ts index c655d768..4f3bb986 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -24,13 +24,14 @@ export class RedisCacheProvider implements CacheProvider { private defaultTTL: number; private keyPrefix: string; private isConnected: boolean = false; + private initPromise: Promise; constructor(options: RedisOptions = {}) { this.defaultTTL = Math.floor((options.ttl || 5000) / 1000); // Convert to seconds for Redis this.keyPrefix = options.keyPrefix || 'schematic:'; // Dynamically import Redis to avoid requiring it if not used - this.initRedisClient(options); + this.initPromise = this.initRedisClient(options); } private async initRedisClient(options: RedisOptions): Promise { @@ -87,6 +88,8 @@ export class RedisCacheProvider implements CacheProvider { } async get(key: string): Promise { + await this.initPromise; + if (!this.isConnected || !this.client) { return null; } @@ -100,8 +103,10 @@ export class RedisCacheProvider implements CacheProvider { return JSON.parse(value) as T; } - + async set(key: string, value: T, ttl?: number): Promise { + await this.initPromise; + if (!this.isConnected || !this.client) { return; } @@ -116,8 +121,10 @@ export class RedisCacheProvider implements CacheProvider { await this.client.set(fullKey, serializedValue); } } - + async delete(key: string): Promise { + await this.initPromise; + if (!this.isConnected || !this.client) { return; } @@ -125,8 +132,10 @@ export class RedisCacheProvider implements CacheProvider { const fullKey = this.getFullKey(key); await this.client.del(fullKey); } - + async deleteMissing(keysToKeep: string[]): Promise { + await this.initPromise; + if (!this.isConnected || !this.client) { return; } @@ -154,6 +163,8 @@ export class RedisCacheProvider implements CacheProvider { * Close the Redis connection */ async close(): Promise { + await this.initPromise; + if (this.client) { await this.client.quit(); this.isConnected = false; From 3e265af65662c8ea1ce74573a42fa6709f53e08e Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 17:46:17 -0700 Subject: [PATCH 15/21] use scan when bulk deleting keys --- src/cache/redis.ts | 25 +++++++++++++++---------- 1 file changed, 15 insertions(+), 10 deletions(-) diff --git a/src/cache/redis.ts b/src/cache/redis.ts index 4f3bb986..2b810ad5 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -140,20 +140,25 @@ export class RedisCacheProvider implements CacheProvider { return; } - // Get all keys with our prefix + // Get all keys with our prefix using SCAN (non-blocking) const pattern = this.keyPrefix + '*'; - const allKeys = await this.client.keys(pattern); - - if (allKeys.length === 0) { - return; - } - - // Convert keysToKeep to full keys const fullKeysToKeep = new Set(keysToKeep.map(k => this.getFullKey(k))); + const keysToDelete: string[] = []; + const batchSize = 1000; - // Find keys to delete - const keysToDelete = allKeys.filter((key: string) => !fullKeysToKeep.has(key)); + for await (const key of this.client.scanIterator({ MATCH: pattern, COUNT: 1000 })) { + if (!fullKeysToKeep.has(key)) { + keysToDelete.push(key); + + // Delete in batches to avoid memory buildup with millions of keys + if (keysToDelete.length >= batchSize) { + await this.client.del(keysToDelete); + keysToDelete.length = 0; // Clear array + } + } + } + // Delete remaining keys if (keysToDelete.length > 0) { await this.client.del(keysToDelete); } From 6583a04fdc75aa7e80b4da5b46833d7c9d2ea514 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Thu, 22 Jan 2026 17:50:10 -0700 Subject: [PATCH 16/21] no need to double parse wasm responses --- src/rules-engine.ts | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/src/rules-engine.ts b/src/rules-engine.ts index 02eb5c2c..fa9fe5dd 100644 --- a/src/rules-engine.ts +++ b/src/rules-engine.ts @@ -56,9 +56,8 @@ export class RulesEngineClient { userJson ); - // The WASM function returns a JSON-encoded string, so we need to parse twice - const jsonString = JSON.parse(resultJson); // First parse to get the actual JSON string - return JSON.parse(jsonString); // Second parse to get the object + // Parse the JSON string returned by WASM + return JSON.parse(resultJson); } catch (error) { throw new Error(`WASM flag check failed: ${error}`); } From 6f38c75c2438228b2fd464d3ebc1f09c2cdb580a Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Fri, 23 Jan 2026 07:46:11 -0700 Subject: [PATCH 17/21] rework how we turn on datastream --- src/wrapper.ts | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/src/wrapper.ts b/src/wrapper.ts index c554caee..078596a6 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -20,10 +20,10 @@ export interface SchematicOptions { /** Providers for caching flag check results */ flagChecks?: CacheProvider[]; }; + /** Enable DataStream for real-time updates */ + useDataStream?: boolean; /** DataStream configuration options */ dataStream?: { - /** Enable DataStream for real-time updates */ - enabled?: boolean; /** Cache TTL in milliseconds (default: 5 minutes) */ cacheTTL?: number; /** Redis configuration for DataStream caching */ @@ -119,16 +119,16 @@ export class SchematicClient extends BaseClient { this.offline = offline; // Initialize DataStream client if enabled - if (opts?.dataStream?.enabled && !offline) { + if (opts?.useDataStream && !offline) { const datastreamOptions: DataStreamClientOptions = { apiKey, baseURL: basePath, logger, - cacheTTL: opts.dataStream.cacheTTL, - redisConfig: opts.dataStream.redisConfig, - replicatorMode: opts.dataStream.replicatorMode, - replicatorHealthURL: opts.dataStream.replicatorHealthURL, - replicatorHealthCheck: opts.dataStream.replicatorHealthCheck, + cacheTTL: opts.dataStream?.cacheTTL, + redisConfig: opts.dataStream?.redisConfig, + replicatorMode: opts.dataStream?.replicatorMode, + replicatorHealthURL: opts.dataStream?.replicatorHealthURL, + replicatorHealthCheck: opts.dataStream?.replicatorHealthCheck, }; this.datastreamClient = new DataStreamClient(datastreamOptions); From 553abe2fb6a78859f0cf0cd32c32637c58791f59 Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Fri, 23 Jan 2026 07:49:22 -0700 Subject: [PATCH 18/21] catch datastream init errors --- src/wrapper.ts | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/src/wrapper.ts b/src/wrapper.ts index 078596a6..ea66fd88 100644 --- a/src/wrapper.ts +++ b/src/wrapper.ts @@ -132,7 +132,10 @@ export class SchematicClient extends BaseClient { }; this.datastreamClient = new DataStreamClient(datastreamOptions); - this.datastreamClient.start(); + this.datastreamClient.start().catch((error) => { + logger.error(`Failed to start DataStream client: ${error}`); + this.datastreamClient = undefined; + }); } } From 113020f42e116d519378e2ffc616949bc9d3d3cb Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Wed, 28 Jan 2026 11:09:01 -0700 Subject: [PATCH 19/21] remove package-lock file --- package-lock.json | 6017 --------------------------------------------- 1 file changed, 6017 deletions(-) delete mode 100644 package-lock.json diff --git a/package-lock.json b/package-lock.json deleted file mode 100644 index d33964cd..00000000 --- a/package-lock.json +++ /dev/null @@ -1,6017 +0,0 @@ -{ - "name": "@schematichq/schematic-typescript-node", - "version": "1.3.0", - "lockfileVersion": 3, - "requires": true, - "packages": { - "": { - "name": "@schematichq/schematic-typescript-node", - "version": "1.3.0", - "license": "MIT", - "dependencies": { - "@types/ws": "^8.18.1", - "form-data": "^4.0.4", - "formdata-node": "^6.0.3", - "node-fetch": "^2.7.0", - "qs": "^6.13.1", - "readable-stream": "^4.5.2", - "redis": "^5.10.0", - "url-join": "4.0.1", - "ws": "^8.18.3" - }, - "devDependencies": { - "@types/jest": "^29.5.14", - "@types/node": "^18.19.70", - "@types/node-fetch": "^2.6.12", - "@types/qs": "^6.9.17", - "@types/readable-stream": "^4.0.18", - "@types/url-join": "4.0.1", - "esbuild": "^0.25.9", - "jest": "^29.7.0", - "jest-environment-jsdom": "^29.7.0", - "prettier": "^3.4.2", - "ts-jest": "^29.1.1", - "ts-loader": "^9.5.1", - "typescript": "~5.7.2", - "webpack": "^5.97.1" - } - }, - "node_modules/@ampproject/remapping": { - "version": "2.3.0", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@jridgewell/gen-mapping": "^0.3.5", - "@jridgewell/trace-mapping": "^0.3.24" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@babel/code-frame": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.27.1.tgz", - "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-validator-identifier": "^7.27.1", - "js-tokens": "^4.0.0", - "picocolors": "^1.1.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/compat-data": { - "version": "7.28.0", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/core": { - "version": "7.28.0", - "dev": true, - "license": "MIT", - "dependencies": { - "@ampproject/remapping": "^2.2.0", - "@babel/code-frame": "^7.27.1", - "@babel/generator": "^7.28.0", - "@babel/helper-compilation-targets": "^7.27.2", - "@babel/helper-module-transforms": "^7.27.3", - "@babel/helpers": "^7.27.6", - "@babel/parser": "^7.28.0", - "@babel/template": "^7.27.2", - "@babel/traverse": "^7.28.0", - "@babel/types": "^7.28.0", - "convert-source-map": "^2.0.0", - "debug": "^4.1.0", - "gensync": "^1.0.0-beta.2", - "json5": "^2.2.3", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/babel" - } - }, - "node_modules/@babel/core/node_modules/semver": { - "version": "6.3.1", - "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/generator": { - "version": "7.28.0", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.28.0", - "@babel/types": "^7.28.0", - "@jridgewell/gen-mapping": "^0.3.12", - "@jridgewell/trace-mapping": "^0.3.28", - "jsesc": "^3.0.2" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-compilation-targets": { - "version": "7.27.2", - "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", - "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/compat-data": "^7.27.2", - "@babel/helper-validator-option": "^7.27.1", - "browserslist": "^4.24.0", - "lru-cache": "^5.1.1", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-compilation-targets/node_modules/semver": { - "version": "6.3.1", - "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/helper-globals": { - "version": "7.28.0", - "resolved": "https://registry.npmjs.org/@babel/helper-globals/-/helper-globals-7.28.0.tgz", - "integrity": "sha512-+W6cISkXFa1jXsDEdYA8HeevQT/FULhxzR99pxphltZcVaugps53THCeiWA8SguxxpSp3gKPiuYfSWopkLQ4hw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-module-imports": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", - "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-module-transforms": { - "version": "7.27.3", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-imports": "^7.27.1", - "@babel/helper-validator-identifier": "^7.27.1", - "@babel/traverse": "^7.27.3" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-plugin-utils": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", - "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-string-parser": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", - "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-validator-identifier": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", - "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-validator-option": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", - "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helpers": { - "version": "7.28.2", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/template": "^7.27.2", - "@babel/types": "^7.28.2" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/parser": { - "version": "7.28.0", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.28.0" - }, - "bin": { - "parser": "bin/babel-parser.js" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@babel/plugin-syntax-async-generators": { - "version": "7.8.4", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", - "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-bigint": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", - "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-class-properties": { - "version": "7.12.13", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", - "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.12.13" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-class-static-block": { - "version": "7.14.5", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", - "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-import-attributes": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", - "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-import-meta": { - "version": "7.10.4", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", - "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-json-strings": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", - "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-jsx": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", - "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-logical-assignment-operators": { - "version": "7.10.4", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", - "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", - "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-numeric-separator": { - "version": "7.10.4", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", - "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-object-rest-spread": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", - "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-optional-catch-binding": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", - "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-optional-chaining": { - "version": "7.8.3", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", - "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-private-property-in-object": { - "version": "7.14.5", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", - "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-top-level-await": { - "version": "7.14.5", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", - "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-typescript": { - "version": "7.27.1", - "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", - "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/template": { - "version": "7.27.2", - "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.27.2.tgz", - "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.27.1", - "@babel/parser": "^7.27.2", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/traverse": { - "version": "7.28.0", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.27.1", - "@babel/generator": "^7.28.0", - "@babel/helper-globals": "^7.28.0", - "@babel/parser": "^7.28.0", - "@babel/template": "^7.27.2", - "@babel/types": "^7.28.0", - "debug": "^4.3.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/types": { - "version": "7.28.2", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-string-parser": "^7.27.1", - "@babel/helper-validator-identifier": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@bcoe/v8-coverage": { - "version": "0.2.3", - "resolved": "https://registry.npmjs.org/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", - "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@esbuild/darwin-arm64": { - "version": "0.25.9", - "cpu": [ - "arm64" - ], - "dev": true, - "license": "MIT", - "optional": true, - "os": [ - "darwin" - ], - "engines": { - "node": ">=18" - } - }, - "node_modules/@istanbuljs/load-nyc-config": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", - "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "camelcase": "^5.3.1", - "find-up": "^4.1.0", - "get-package-type": "^0.1.0", - "js-yaml": "^3.13.1", - "resolve-from": "^5.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/@istanbuljs/load-nyc-config/node_modules/camelcase": { - "version": "5.3.1", - "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-5.3.1.tgz", - "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/@istanbuljs/schema": { - "version": "0.1.3", - "resolved": "https://registry.npmjs.org/@istanbuljs/schema/-/schema-0.1.3.tgz", - "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/console": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/console/-/console-29.7.0.tgz", - "integrity": "sha512-5Ni4CU7XHQi32IJ398EEP4RrB8eV09sXP2ROqD4bksHrnTree52PsxvX8tpL8LvTZ3pFzXyPbNQReSN41CAhOg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "jest-message-util": "^29.7.0", - "jest-util": "^29.7.0", - "slash": "^3.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/console/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/console/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/core": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/core/-/core-29.7.0.tgz", - "integrity": "sha512-n7aeXWKMnGtDA48y8TLWJPJmLmmZ642Ceo78cYWEpiD7FzDgmNDV/GCVRorPABdXLJZ/9wzzgZAlHjXjxDHGsg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^29.7.0", - "@jest/reporters": "^29.7.0", - "@jest/test-result": "^29.7.0", - "@jest/transform": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "ansi-escapes": "^4.2.1", - "chalk": "^4.0.0", - "ci-info": "^3.2.0", - "exit": "^0.1.2", - "graceful-fs": "^4.2.9", - "jest-changed-files": "^29.7.0", - "jest-config": "^29.7.0", - "jest-haste-map": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-regex-util": "^29.6.3", - "jest-resolve": "^29.7.0", - "jest-resolve-dependencies": "^29.7.0", - "jest-runner": "^29.7.0", - "jest-runtime": "^29.7.0", - "jest-snapshot": "^29.7.0", - "jest-util": "^29.7.0", - "jest-validate": "^29.7.0", - "jest-watcher": "^29.7.0", - "micromatch": "^4.0.4", - "pretty-format": "^29.7.0", - "slash": "^3.0.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" - }, - "peerDependenciesMeta": { - "node-notifier": { - "optional": true - } - } - }, - "node_modules/@jest/core/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/core/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/environment": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/environment/-/environment-29.7.0.tgz", - "integrity": "sha512-aQIfHDq33ExsN4jP1NWGXhxgQ/wixs60gDiKO+XVMd8Mn0NWPWgc34ZQDTb2jKaUWQ7MuwoitXAsN2XVXNMpAw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/fake-timers": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "jest-mock": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/environment/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/environment/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/expect": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/expect/-/expect-29.7.0.tgz", - "integrity": "sha512-8uMeAMycttpva3P1lBHB8VciS9V0XAr3GymPpipdyQXbBcuhkLQOSe8E/p92RyAdToS6ZD1tFkX+CkhoECE0dQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "expect": "^29.7.0", - "jest-snapshot": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/expect-utils": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/expect-utils/-/expect-utils-29.7.0.tgz", - "integrity": "sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA==", - "dev": true, - "license": "MIT", - "dependencies": { - "jest-get-type": "^29.6.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/fake-timers": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/fake-timers/-/fake-timers-29.7.0.tgz", - "integrity": "sha512-q4DH1Ha4TTFPdxLsqDXK1d3+ioSL7yL5oCMJZgDYm6i+6CygW5E5xVr/D1HdsGxjt1ZWSfUAs9OxSB/BNelWrQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@sinonjs/fake-timers": "^10.0.2", - "@types/node": "*", - "jest-message-util": "^29.7.0", - "jest-mock": "^29.7.0", - "jest-util": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/fake-timers/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/fake-timers/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/globals": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/globals/-/globals-29.7.0.tgz", - "integrity": "sha512-mpiz3dutLbkW2MNFubUGUEVLkTGiqW6yLVTA+JbP6fI6J5iL9Y0Nlg8k95pcF8ctKwCS7WVxteBs29hhfAotzQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^29.7.0", - "@jest/expect": "^29.7.0", - "@jest/types": "^29.6.3", - "jest-mock": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/reporters": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/reporters/-/reporters-29.7.0.tgz", - "integrity": "sha512-DApq0KJbJOEzAFYjHADNNxAE3KbhxQB1y5Kplb5Waqw6zVbuWatSnMjE5gs8FUgEPmNsnZA3NCWl9NG0ia04Pg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@bcoe/v8-coverage": "^0.2.3", - "@jest/console": "^29.7.0", - "@jest/test-result": "^29.7.0", - "@jest/transform": "^29.7.0", - "@jest/types": "^29.6.3", - "@jridgewell/trace-mapping": "^0.3.18", - "@types/node": "*", - "chalk": "^4.0.0", - "collect-v8-coverage": "^1.0.0", - "exit": "^0.1.2", - "glob": "^7.1.3", - "graceful-fs": "^4.2.9", - "istanbul-lib-coverage": "^3.0.0", - "istanbul-lib-instrument": "^6.0.0", - "istanbul-lib-report": "^3.0.0", - "istanbul-lib-source-maps": "^4.0.0", - "istanbul-reports": "^3.1.3", - "jest-message-util": "^29.7.0", - "jest-util": "^29.7.0", - "jest-worker": "^29.7.0", - "slash": "^3.0.0", - "string-length": "^4.0.1", - "strip-ansi": "^6.0.0", - "v8-to-istanbul": "^9.0.1" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" - }, - "peerDependenciesMeta": { - "node-notifier": { - "optional": true - } - } - }, - "node_modules/@jest/reporters/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/reporters/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/schemas": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/@jest/schemas/-/schemas-29.6.3.tgz", - "integrity": "sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@sinclair/typebox": "^0.27.8" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/source-map": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/@jest/source-map/-/source-map-29.6.3.tgz", - "integrity": "sha512-MHjT95QuipcPrpLM+8JMSzFx6eHp5Bm+4XeFDJlwsvVBjmKNiIAvasGK2fxz2WbGRlnvqehFbh07MMa7n3YJnw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/trace-mapping": "^0.3.18", - "callsites": "^3.0.0", - "graceful-fs": "^4.2.9" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/test-result": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/test-result/-/test-result-29.7.0.tgz", - "integrity": "sha512-Fdx+tv6x1zlkJPcWXmMDAG2HBnaR9XPSd5aDWQVsfrZmLVT3lU1cwyxLgRmXR9yrq4NBoEm9BMsfgFzTQAbJYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/istanbul-lib-coverage": "^2.0.0", - "collect-v8-coverage": "^1.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/test-sequencer": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/test-sequencer/-/test-sequencer-29.7.0.tgz", - "integrity": "sha512-GQwJ5WZVrKnOJuiYiAF52UNUJXgTZx1NHjFSEB0qEMmSZKAkdMoIzw/Cj6x6NF4AvV23AUqDpFzQkN/eYCYTxw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/test-result": "^29.7.0", - "graceful-fs": "^4.2.9", - "jest-haste-map": "^29.7.0", - "slash": "^3.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/transform": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/@jest/transform/-/transform-29.7.0.tgz", - "integrity": "sha512-ok/BTPFzFKVMwO5eOHRrvnBVHdRy9IrsrW1GpMaQ9MCnilNLXQKmAX8s1YXDFaai9xJpac2ySzV0YeRRECr2Vw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.11.6", - "@jest/types": "^29.6.3", - "@jridgewell/trace-mapping": "^0.3.18", - "babel-plugin-istanbul": "^6.1.1", - "chalk": "^4.0.0", - "convert-source-map": "^2.0.0", - "fast-json-stable-stringify": "^2.1.0", - "graceful-fs": "^4.2.9", - "jest-haste-map": "^29.7.0", - "jest-regex-util": "^29.6.3", - "jest-util": "^29.7.0", - "micromatch": "^4.0.4", - "pirates": "^4.0.4", - "slash": "^3.0.0", - "write-file-atomic": "^4.0.2" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/types": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/@jest/types/-/types-29.6.3.tgz", - "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "@types/istanbul-lib-coverage": "^2.0.0", - "@types/istanbul-reports": "^3.0.0", - "@types/node": "*", - "@types/yargs": "^17.0.8", - "chalk": "^4.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/types/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@jest/types/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@jridgewell/gen-mapping": { - "version": "0.3.12", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/sourcemap-codec": "^1.5.0", - "@jridgewell/trace-mapping": "^0.3.24" - } - }, - "node_modules/@jridgewell/resolve-uri": { - "version": "3.1.2", - "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", - "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@jridgewell/source-map": { - "version": "0.3.10", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/gen-mapping": "^0.3.5", - "@jridgewell/trace-mapping": "^0.3.25" - } - }, - "node_modules/@jridgewell/sourcemap-codec": { - "version": "1.5.4", - "dev": true, - "license": "MIT" - }, - "node_modules/@jridgewell/trace-mapping": { - "version": "0.3.29", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/resolve-uri": "^3.1.0", - "@jridgewell/sourcemap-codec": "^1.4.14" - } - }, - "node_modules/@redis/bloom": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/@redis/bloom/-/bloom-5.10.0.tgz", - "integrity": "sha512-doIF37ob+l47n0rkpRNgU8n4iacBlKM9xLiP1LtTZTvz8TloJB8qx/MgvhMhKdYG+CvCY2aPBnN2706izFn/4A==", - "engines": { - "node": ">= 18" - }, - "peerDependencies": { - "@redis/client": "^5.10.0" - } - }, - "node_modules/@redis/client": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/@redis/client/-/client-5.10.0.tgz", - "integrity": "sha512-JXmM4XCoso6C75Mr3lhKA3eNxSzkYi3nCzxDIKY+YOszYsJjuKbFgVtguVPbLMOttN4iu2fXoc2BGhdnYhIOxA==", - "dependencies": { - "cluster-key-slot": "1.1.2" - }, - "engines": { - "node": ">= 18" - } - }, - "node_modules/@redis/json": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/@redis/json/-/json-5.10.0.tgz", - "integrity": "sha512-B2G8XlOmTPUuZtD44EMGbtoepQG34RCDXLZbjrtON1Djet0t5Ri7/YPXvL9aomXqP8lLTreaprtyLKF4tmXEEA==", - "engines": { - "node": ">= 18" - }, - "peerDependencies": { - "@redis/client": "^5.10.0" - } - }, - "node_modules/@redis/search": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/@redis/search/-/search-5.10.0.tgz", - "integrity": "sha512-3SVcPswoSfp2HnmWbAGUzlbUPn7fOohVu2weUQ0S+EMiQi8jwjL+aN2p6V3TI65eNfVsJ8vyPvqWklm6H6esmg==", - "engines": { - "node": ">= 18" - }, - "peerDependencies": { - "@redis/client": "^5.10.0" - } - }, - "node_modules/@redis/time-series": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/@redis/time-series/-/time-series-5.10.0.tgz", - "integrity": "sha512-cPkpddXH5kc/SdRhF0YG0qtjL+noqFT0AcHbQ6axhsPsO7iqPi1cjxgdkE9TNeKiBUUdCaU1DbqkR/LzbzPBhg==", - "engines": { - "node": ">= 18" - }, - "peerDependencies": { - "@redis/client": "^5.10.0" - } - }, - "node_modules/@sinclair/typebox": { - "version": "0.27.8", - "resolved": "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.27.8.tgz", - "integrity": "sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@sinonjs/commons": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/@sinonjs/commons/-/commons-3.0.1.tgz", - "integrity": "sha512-K3mCHKQ9sVh8o1C9cxkwxaOmXoAMlDxC1mYyHrjqOWEcBjYr76t96zL2zlj5dUGZ3HSw240X1qgH3Mjf1yJWpQ==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "type-detect": "4.0.8" - } - }, - "node_modules/@sinonjs/fake-timers": { - "version": "10.3.0", - "resolved": "https://registry.npmjs.org/@sinonjs/fake-timers/-/fake-timers-10.3.0.tgz", - "integrity": "sha512-V4BG07kuYSUkTCSBHG8G8TNhM+F19jXFWnQtzj+we8DrkpSBCee9Z3Ms8yiGer/dlmhe35/Xdgyo3/0rQKg7YA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sinonjs/commons": "^3.0.0" - } - }, - "node_modules/@tootallnate/once": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz", - "integrity": "sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10" - } - }, - "node_modules/@types/babel__core": { - "version": "7.20.5", - "resolved": "https://registry.npmjs.org/@types/babel__core/-/babel__core-7.20.5.tgz", - "integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.20.7", - "@babel/types": "^7.20.7", - "@types/babel__generator": "*", - "@types/babel__template": "*", - "@types/babel__traverse": "*" - } - }, - "node_modules/@types/babel__generator": { - "version": "7.27.0", - "resolved": "https://registry.npmjs.org/@types/babel__generator/-/babel__generator-7.27.0.tgz", - "integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.0.0" - } - }, - "node_modules/@types/babel__template": { - "version": "7.4.4", - "resolved": "https://registry.npmjs.org/@types/babel__template/-/babel__template-7.4.4.tgz", - "integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.1.0", - "@babel/types": "^7.0.0" - } - }, - "node_modules/@types/babel__traverse": { - "version": "7.20.7", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.20.7" - } - }, - "node_modules/@types/eslint": { - "version": "9.6.1", - "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-9.6.1.tgz", - "integrity": "sha512-FXx2pKgId/WyYo2jXw63kk7/+TY7u7AziEJxJAnSFzHlqTAS3Ync6SvgYAN/k4/PQpnnVuzoMuVnByKK2qp0ag==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/estree": "*", - "@types/json-schema": "*" - } - }, - "node_modules/@types/eslint-scope": { - "version": "3.7.7", - "resolved": "https://registry.npmjs.org/@types/eslint-scope/-/eslint-scope-3.7.7.tgz", - "integrity": "sha512-MzMFlSLBqNF2gcHWO0G1vP/YQyfvrxZ0bF+u7mzUdZ1/xK4A4sru+nraZz5i3iEIk1l1uyicaDVTB4QbbEkAYg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/eslint": "*", - "@types/estree": "*" - } - }, - "node_modules/@types/estree": { - "version": "1.0.8", - "resolved": "https://registry.npmjs.org/@types/estree/-/estree-1.0.8.tgz", - "integrity": "sha512-dWHzHa2WqEXI/O1E9OjrocMTKJl2mSrEolh1Iomrv6U+JuNwaHXsXx9bLu5gG7BUWFIN0skIQJQ/L1rIex4X6w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/graceful-fs": { - "version": "4.1.9", - "resolved": "https://registry.npmjs.org/@types/graceful-fs/-/graceful-fs-4.1.9.tgz", - "integrity": "sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/graceful-fs/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@types/graceful-fs/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/istanbul-lib-coverage": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz", - "integrity": "sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/istanbul-lib-report": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz", - "integrity": "sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/istanbul-lib-coverage": "*" - } - }, - "node_modules/@types/istanbul-reports": { - "version": "3.0.4", - "resolved": "https://registry.npmjs.org/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz", - "integrity": "sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/istanbul-lib-report": "*" - } - }, - "node_modules/@types/jest": { - "version": "29.5.14", - "resolved": "https://registry.npmjs.org/@types/jest/-/jest-29.5.14.tgz", - "integrity": "sha512-ZN+4sdnLUbo8EVvVc2ao0GFW6oVrQRPn4K2lglySj7APvSrgzxHiNNK99us4WDMi57xxA2yggblIAMNhXOotLQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "expect": "^29.0.0", - "pretty-format": "^29.0.0" - } - }, - "node_modules/@types/jsdom": { - "version": "20.0.1", - "resolved": "https://registry.npmjs.org/@types/jsdom/-/jsdom-20.0.1.tgz", - "integrity": "sha512-d0r18sZPmMQr1eG35u12FZfhIXNrnsPU/g5wvRKCUf/tOGilKKwYMYGqh33BNR6ba+2gkHw1EUiHoN3mn7E5IQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "@types/tough-cookie": "*", - "parse5": "^7.0.0" - } - }, - "node_modules/@types/jsdom/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@types/jsdom/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/json-schema": { - "version": "7.0.15", - "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz", - "integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/node": { - "version": "18.19.120", - "license": "MIT", - "dependencies": { - "undici-types": "~5.26.4" - } - }, - "node_modules/@types/node-fetch": { - "version": "2.6.12", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "form-data": "^4.0.0" - } - }, - "node_modules/@types/node-fetch/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@types/node-fetch/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/qs": { - "version": "6.14.0", - "resolved": "https://registry.npmjs.org/@types/qs/-/qs-6.14.0.tgz", - "integrity": "sha512-eOunJqu0K1923aExK6y8p6fsihYEn/BYuQ4g0CxAAgFc4b/ZLN4CrsRZ55srTdqoiLzU2B2evC+apEIxprEzkQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/readable-stream": { - "version": "4.0.21", - "resolved": "https://registry.npmjs.org/@types/readable-stream/-/readable-stream-4.0.21.tgz", - "integrity": "sha512-19eKVv9tugr03IgfXlA9UVUVRbW6IuqRO5B92Dl4a6pT7K8uaGrNS0GkxiZD0BOk6PLuXl5FhWl//eX/pzYdTQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/readable-stream/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/@types/readable-stream/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/stack-utils": { - "version": "2.0.3", - "resolved": "https://registry.npmjs.org/@types/stack-utils/-/stack-utils-2.0.3.tgz", - "integrity": "sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/tough-cookie": { - "version": "4.0.5", - "resolved": "https://registry.npmjs.org/@types/tough-cookie/-/tough-cookie-4.0.5.tgz", - "integrity": "sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/url-join": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/@types/url-join/-/url-join-4.0.1.tgz", - "integrity": "sha512-wDXw9LEEUHyV+7UWy7U315nrJGJ7p1BzaCxDpEoLr789Dk1WDVMMlf3iBfbG2F8NdWnYyFbtTxUn2ZNbm1Q4LQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/ws": { - "version": "8.18.1", - "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.18.1.tgz", - "integrity": "sha512-ThVF6DCVhA8kUGy+aazFQ4kXQ7E1Ty7A3ypFOe0IcJV8O/M511G99AW24irKrW56Wt44yG9+ij8FaqoBGkuBXg==", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/yargs": { - "version": "17.0.33", - "resolved": "https://registry.npmjs.org/@types/yargs/-/yargs-17.0.33.tgz", - "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/yargs-parser": "*" - } - }, - "node_modules/@types/yargs-parser": { - "version": "21.0.3", - "resolved": "https://registry.npmjs.org/@types/yargs-parser/-/yargs-parser-21.0.3.tgz", - "integrity": "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/ast": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/ast/-/ast-1.14.1.tgz", - "integrity": "sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/helper-numbers": "1.13.2", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2" - } - }, - "node_modules/@webassemblyjs/floating-point-hex-parser": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz", - "integrity": "sha512-6oXyTOzbKxGH4steLbLNOu71Oj+C8Lg34n6CqRvqfS2O71BxY6ByfMDRhBytzknj9yGUPVJ1qIKhRlAwO1AovA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-api-error": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz", - "integrity": "sha512-U56GMYxy4ZQCbDZd6JuvvNV/WFildOjsaWD3Tzzvmw/mas3cXzRJPMjP83JqEsgSbyrmaGjBfDtV7KDXV9UzFQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-buffer": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz", - "integrity": "sha512-jyH7wtcHiKssDtFPRB+iQdxlDf96m0E39yb0k5uJVhFGleZFoNw1c4aeIcVUPPbXUVJ94wwnMOAqUHyzoEPVMA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-numbers": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz", - "integrity": "sha512-FE8aCmS5Q6eQYcV3gI35O4J789wlQA+7JrqTTpJqn5emA4U2hvwJmvFRC0HODS+3Ye6WioDklgd6scJ3+PLnEA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/floating-point-hex-parser": "1.13.2", - "@webassemblyjs/helper-api-error": "1.13.2", - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@webassemblyjs/helper-wasm-bytecode": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz", - "integrity": "sha512-3QbLKy93F0EAIXLh0ogEVR6rOubA9AoZ+WRYhNbFyuB70j3dRdwH9g+qXhLAO0kiYGlg3TxDV+I4rQTr/YNXkA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-wasm-section": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz", - "integrity": "sha512-ds5mXEqTJ6oxRoqjhWDU83OgzAYjwsCV8Lo/N+oRsNDmx/ZDpqalmrtgOMkHwxsG0iI//3BwWAErYRHtgn0dZw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/wasm-gen": "1.14.1" - } - }, - "node_modules/@webassemblyjs/ieee754": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz", - "integrity": "sha512-4LtOzh58S/5lX4ITKxnAK2USuNEvpdVV9AlgGQb8rJDHaLeHciwG4zlGr0j/SNWlr7x3vO1lDEsuePvtcDNCkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@xtuc/ieee754": "^1.2.0" - } - }, - "node_modules/@webassemblyjs/leb128": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/leb128/-/leb128-1.13.2.tgz", - "integrity": "sha512-Lde1oNoIdzVzdkNEAWZ1dZ5orIbff80YPdHx20mrHwHrVNNTjNr8E3xz9BdpcGqRQbAEa+fkrCb+fRFTl/6sQw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@webassemblyjs/utf8": { - "version": "1.13.2", - "resolved": "https://registry.npmjs.org/@webassemblyjs/utf8/-/utf8-1.13.2.tgz", - "integrity": "sha512-3NQWGjKTASY1xV5m7Hr0iPeXD9+RDobLll3T9d2AO+g3my8xy5peVyjSag4I50mR1bBSN/Ct12lo+R9tJk0NZQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/wasm-edit": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz", - "integrity": "sha512-RNJUIQH/J8iA/1NzlE4N7KtyZNHi3w7at7hDjvRNm5rcUXa00z1vRz3glZoULfJ5mpvYhLybmVcwcjGrC1pRrQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/helper-wasm-section": "1.14.1", - "@webassemblyjs/wasm-gen": "1.14.1", - "@webassemblyjs/wasm-opt": "1.14.1", - "@webassemblyjs/wasm-parser": "1.14.1", - "@webassemblyjs/wast-printer": "1.14.1" - } - }, - "node_modules/@webassemblyjs/wasm-gen": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz", - "integrity": "sha512-AmomSIjP8ZbfGQhumkNvgC33AY7qtMCXnN6bL2u2Js4gVCg8fp735aEiMSBbDR7UQIj90n4wKAFUSEd0QN2Ukg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/ieee754": "1.13.2", - "@webassemblyjs/leb128": "1.13.2", - "@webassemblyjs/utf8": "1.13.2" - } - }, - "node_modules/@webassemblyjs/wasm-opt": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz", - "integrity": "sha512-PTcKLUNvBqnY2U6E5bdOQcSM+oVP/PmrDY9NzowJjislEjwP/C4an2303MCVS2Mg9d3AJpIGdUFIQQWbPds0Sw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/wasm-gen": "1.14.1", - "@webassemblyjs/wasm-parser": "1.14.1" - } - }, - "node_modules/@webassemblyjs/wasm-parser": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz", - "integrity": "sha512-JLBl+KZ0R5qB7mCnud/yyX08jWFw5MsoalJ1pQ4EdFlgj9VdXKGuENGsiCIjegI1W7p91rUlcB/LB5yRJKNTcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-api-error": "1.13.2", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/ieee754": "1.13.2", - "@webassemblyjs/leb128": "1.13.2", - "@webassemblyjs/utf8": "1.13.2" - } - }, - "node_modules/@webassemblyjs/wast-printer": { - "version": "1.14.1", - "resolved": "https://registry.npmjs.org/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz", - "integrity": "sha512-kPSSXE6De1XOR820C90RIo2ogvZG+c3KiHzqUoO/F34Y2shGzesfqv7o57xrxovZJH/MetF5UjroJ/R/3isoiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@xtuc/ieee754": { - "version": "1.2.0", - "resolved": "https://registry.npmjs.org/@xtuc/ieee754/-/ieee754-1.2.0.tgz", - "integrity": "sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/@xtuc/long": { - "version": "4.2.2", - "resolved": "https://registry.npmjs.org/@xtuc/long/-/long-4.2.2.tgz", - "integrity": "sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/abab": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/abab/-/abab-2.0.6.tgz", - "integrity": "sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/abort-controller": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/abort-controller/-/abort-controller-3.0.0.tgz", - "integrity": "sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==", - "license": "MIT", - "dependencies": { - "event-target-shim": "^5.0.0" - }, - "engines": { - "node": ">=6.5" - } - }, - "node_modules/acorn": { - "version": "8.15.0", - "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.15.0.tgz", - "integrity": "sha512-NZyJarBfL7nWwIq+FDL6Zp/yHEhePMNnnJ0y3qfieCrmNvYct8uvtiV41UvlSe6apAfk0fY1FbWx+NwfmpvtTg==", - "dev": true, - "license": "MIT", - "bin": { - "acorn": "bin/acorn" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/acorn-globals": { - "version": "7.0.1", - "resolved": "https://registry.npmjs.org/acorn-globals/-/acorn-globals-7.0.1.tgz", - "integrity": "sha512-umOSDSDrfHbTNPuNpC2NSnnA3LUrqpevPb4T9jRx4MagXNS0rs+gwiTcAvqCRmsD6utzsrzNt+ebm00SNWiC3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "acorn": "^8.1.0", - "acorn-walk": "^8.0.2" - } - }, - "node_modules/acorn-import-phases": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/acorn-import-phases/-/acorn-import-phases-1.0.4.tgz", - "integrity": "sha512-wKmbr/DDiIXzEOiWrTTUcDm24kQ2vGfZQvM2fwg2vXqR5uW6aapr7ObPtj1th32b9u90/Pf4AItvdTh42fBmVQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.13.0" - }, - "peerDependencies": { - "acorn": "^8.14.0" - } - }, - "node_modules/acorn-walk": { - "version": "8.3.4", - "resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz", - "integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==", - "dev": true, - "license": "MIT", - "dependencies": { - "acorn": "^8.11.0" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/agent-base": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", - "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "4" - }, - "engines": { - "node": ">= 6.0.0" - } - }, - "node_modules/ajv": { - "version": "8.17.1", - "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.17.1.tgz", - "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.3", - "fast-uri": "^3.0.1", - "json-schema-traverse": "^1.0.0", - "require-from-string": "^2.0.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/ajv-formats": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.1.tgz", - "integrity": "sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ajv": "^8.0.0" - }, - "peerDependencies": { - "ajv": "^8.0.0" - }, - "peerDependenciesMeta": { - "ajv": { - "optional": true - } - } - }, - "node_modules/ajv-keywords": { - "version": "5.1.0", - "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-5.1.0.tgz", - "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.3" - }, - "peerDependencies": { - "ajv": "^8.8.2" - } - }, - "node_modules/ansi-escapes": { - "version": "4.3.2", - "resolved": "https://registry.npmjs.org/ansi-escapes/-/ansi-escapes-4.3.2.tgz", - "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.21.3" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/ansi-escapes/node_modules/type-fest": { - "version": "0.21.3", - "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.21.3.tgz", - "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/ansi-regex": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/ansi-styles": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", - "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-convert": "^2.0.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/anymatch": { - "version": "3.1.3", - "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", - "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", - "dev": true, - "license": "ISC", - "dependencies": { - "normalize-path": "^3.0.0", - "picomatch": "^2.0.4" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/argparse": { - "version": "1.0.10", - "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", - "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "sprintf-js": "~1.0.2" - } - }, - "node_modules/async": { - "version": "3.2.6", - "dev": true, - "license": "MIT" - }, - "node_modules/asynckit": { - "version": "0.4.0", - "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", - "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", - "license": "MIT" - }, - "node_modules/babel-jest": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/babel-jest/-/babel-jest-29.7.0.tgz", - "integrity": "sha512-BrvGY3xZSwEcCzKvKsCi2GgHqDqsYkOP4/by5xCgIwGXQxIEh+8ew3gmrE1y7XRR6LHZIj6yLYnUi/mm2KXKBg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/transform": "^29.7.0", - "@types/babel__core": "^7.1.14", - "babel-plugin-istanbul": "^6.1.1", - "babel-preset-jest": "^29.6.3", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.9", - "slash": "^3.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "@babel/core": "^7.8.0" - } - }, - "node_modules/babel-plugin-istanbul": { - "version": "6.1.1", - "resolved": "https://registry.npmjs.org/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz", - "integrity": "sha512-Y1IQok9821cC9onCx5otgFfRm7Lm+I+wwxOx738M/WLPZ9Q42m4IG5W0FNX8WLL2gYMZo3JkuXIH2DOpWM+qwA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/helper-plugin-utils": "^7.0.0", - "@istanbuljs/load-nyc-config": "^1.0.0", - "@istanbuljs/schema": "^0.1.2", - "istanbul-lib-instrument": "^5.0.4", - "test-exclude": "^6.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/babel-plugin-istanbul/node_modules/istanbul-lib-instrument": { - "version": "5.2.1", - "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz", - "integrity": "sha512-pzqtp31nLv/XFOzXGuvhCb8qhjmTVo5vjVk19XE4CRlSWz0KoeJ3bw9XsA7nOp9YBf4qHjwBxkDzKcME/J29Yg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/core": "^7.12.3", - "@babel/parser": "^7.14.7", - "@istanbuljs/schema": "^0.1.2", - "istanbul-lib-coverage": "^3.2.0", - "semver": "^6.3.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/babel-plugin-istanbul/node_modules/semver": { - "version": "6.3.1", - "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/babel-plugin-jest-hoist": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-29.6.3.tgz", - "integrity": "sha512-ESAc/RJvGTFEzRwOTT4+lNDk/GNHMkKbNzsvT0qKRfDyyYTskxB5rnU2njIDYVxXCBHHEI1c0YwHob3WaYujOg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/template": "^7.3.3", - "@babel/types": "^7.3.3", - "@types/babel__core": "^7.1.14", - "@types/babel__traverse": "^7.0.6" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/babel-preset-current-node-syntax": { - "version": "1.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/plugin-syntax-async-generators": "^7.8.4", - "@babel/plugin-syntax-bigint": "^7.8.3", - "@babel/plugin-syntax-class-properties": "^7.12.13", - "@babel/plugin-syntax-class-static-block": "^7.14.5", - "@babel/plugin-syntax-import-attributes": "^7.24.7", - "@babel/plugin-syntax-import-meta": "^7.10.4", - "@babel/plugin-syntax-json-strings": "^7.8.3", - "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", - "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", - "@babel/plugin-syntax-numeric-separator": "^7.10.4", - "@babel/plugin-syntax-object-rest-spread": "^7.8.3", - "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", - "@babel/plugin-syntax-optional-chaining": "^7.8.3", - "@babel/plugin-syntax-private-property-in-object": "^7.14.5", - "@babel/plugin-syntax-top-level-await": "^7.14.5" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/babel-preset-jest": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/babel-preset-jest/-/babel-preset-jest-29.6.3.tgz", - "integrity": "sha512-0B3bhxR6snWXJZtR/RliHTDPRgn1sNHOR0yVtq/IiQFyuOVjFS+wuio/R4gSNkyYmKmJB4wGZv2NZanmKmTnNA==", - "dev": true, - "license": "MIT", - "dependencies": { - "babel-plugin-jest-hoist": "^29.6.3", - "babel-preset-current-node-syntax": "^1.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/balanced-match": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", - "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", - "dev": true, - "license": "MIT" - }, - "node_modules/base64-js": { - "version": "1.5.1", - "resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz", - "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT" - }, - "node_modules/brace-expansion": { - "version": "1.1.12", - "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.12.tgz", - "integrity": "sha512-9T9UjW3r0UW5c1Q7GTwllptXwhvYmEzFhzMfZ9H7FQWt+uZePjZPjBP/W1ZEyZ1twGWom5/56TF4lPcqjnDHcg==", - "dev": true, - "license": "MIT", - "dependencies": { - "balanced-match": "^1.0.0", - "concat-map": "0.0.1" - } - }, - "node_modules/braces": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", - "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "fill-range": "^7.1.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/browserslist": { - "version": "4.25.1", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/browserslist" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "MIT", - "dependencies": { - "caniuse-lite": "^1.0.30001726", - "electron-to-chromium": "^1.5.173", - "node-releases": "^2.0.19", - "update-browserslist-db": "^1.1.3" - }, - "bin": { - "browserslist": "cli.js" - }, - "engines": { - "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" - } - }, - "node_modules/bs-logger": { - "version": "0.2.6", - "resolved": "https://registry.npmjs.org/bs-logger/-/bs-logger-0.2.6.tgz", - "integrity": "sha512-pd8DCoxmbgc7hyPKOvxtqNcjYoOsABPQdcCUjGp3d42VR2CX1ORhk2A87oqqu5R1kk+76nsxZupkmyd+MVtCog==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-json-stable-stringify": "2.x" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/bser": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/bser/-/bser-2.1.1.tgz", - "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "node-int64": "^0.4.0" - } - }, - "node_modules/buffer": { - "version": "6.0.3", - "resolved": "https://registry.npmjs.org/buffer/-/buffer-6.0.3.tgz", - "integrity": "sha512-FTiCpNxtwiZZHEZbcbTIcZjERVICn9yq/pDFkTl95/AxzD1naBctN7YO68riM/gLSDY7sdrMby8hofADYuuqOA==", - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "base64-js": "^1.3.1", - "ieee754": "^1.2.1" - } - }, - "node_modules/buffer-from": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", - "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/call-bind-apply-helpers": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", - "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/call-bound": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/call-bound/-/call-bound-1.0.4.tgz", - "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "get-intrinsic": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/callsites": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", - "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/camelcase": { - "version": "6.3.0", - "resolved": "https://registry.npmjs.org/camelcase/-/camelcase-6.3.0.tgz", - "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/caniuse-lite": { - "version": "1.0.30001727", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/caniuse-lite" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "CC-BY-4.0" - }, - "node_modules/chalk": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", - "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/chalk?sponsor=1" - } - }, - "node_modules/char-regex": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/char-regex/-/char-regex-1.0.2.tgz", - "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - } - }, - "node_modules/chrome-trace-event": { - "version": "1.0.4", - "resolved": "https://registry.npmjs.org/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz", - "integrity": "sha512-rNjApaLzuwaOTjCiT8lSDdGN1APCiqkChLMJxJPWLunPAt5fy8xgU9/jNOchV84wfIxrA0lRQB7oCT8jrn/wrQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0" - } - }, - "node_modules/ci-info": { - "version": "3.9.0", - "resolved": "https://registry.npmjs.org/ci-info/-/ci-info-3.9.0.tgz", - "integrity": "sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/sibiraj-s" - } - ], - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/cjs-module-lexer": { - "version": "1.4.3", - "resolved": "https://registry.npmjs.org/cjs-module-lexer/-/cjs-module-lexer-1.4.3.tgz", - "integrity": "sha512-9z8TZaGM1pfswYeXrUpzPrkx8UnWYdhJclsiYMm6x/w5+nN+8Tf/LnAgfLGQCm59qAOxU8WwHEq2vNwF6i4j+Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/cliui": { - "version": "8.0.1", - "resolved": "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz", - "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "string-width": "^4.2.0", - "strip-ansi": "^6.0.1", - "wrap-ansi": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/cluster-key-slot": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/cluster-key-slot/-/cluster-key-slot-1.1.2.tgz", - "integrity": "sha512-RMr0FhtfXemyinomL4hrWcYJxmX6deFdCxpJzhDttxgO1+bcCnkk+9drydLVDmAMG7NE6aN/fl4F7ucU/90gAA==", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/co": { - "version": "4.6.0", - "resolved": "https://registry.npmjs.org/co/-/co-4.6.0.tgz", - "integrity": "sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ==", - "dev": true, - "license": "MIT", - "engines": { - "iojs": ">= 1.0.0", - "node": ">= 0.12.0" - } - }, - "node_modules/collect-v8-coverage": { - "version": "1.0.2", - "dev": true, - "license": "MIT" - }, - "node_modules/color-convert": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-name": "~1.1.4" - }, - "engines": { - "node": ">=7.0.0" - } - }, - "node_modules/color-name": { - "version": "1.1.4", - "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", - "dev": true, - "license": "MIT" - }, - "node_modules/combined-stream": { - "version": "1.0.8", - "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", - "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", - "license": "MIT", - "dependencies": { - "delayed-stream": "~1.0.0" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/commander": { - "version": "2.20.3", - "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", - "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/concat-map": { - "version": "0.0.1", - "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", - "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", - "dev": true, - "license": "MIT" - }, - "node_modules/convert-source-map": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz", - "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", - "dev": true, - "license": "MIT" - }, - "node_modules/create-jest": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/create-jest/-/create-jest-29.7.0.tgz", - "integrity": "sha512-Adz2bdH0Vq3F53KEMJOoftQFutWCukm6J24wbPWRO4k1kMY7gS7ds/uoJkNuV8wDCtWWnuwGcJwpWcih+zEW1Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "chalk": "^4.0.0", - "exit": "^0.1.2", - "graceful-fs": "^4.2.9", - "jest-config": "^29.7.0", - "jest-util": "^29.7.0", - "prompts": "^2.0.1" - }, - "bin": { - "create-jest": "bin/create-jest.js" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/cross-spawn": { - "version": "7.0.6", - "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", - "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/cssom": { - "version": "0.5.0", - "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.5.0.tgz", - "integrity": "sha512-iKuQcq+NdHqlAcwUY0o/HL69XQrUaQdMjmStJ8JFmUaiiQErlhrmuigkg/CU4E2J0IyUKUrMAgl36TvN67MqTw==", - "dev": true, - "license": "MIT" - }, - "node_modules/cssstyle": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/cssstyle/-/cssstyle-2.3.0.tgz", - "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", - "dev": true, - "license": "MIT", - "dependencies": { - "cssom": "~0.3.6" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/cssstyle/node_modules/cssom": { - "version": "0.3.8", - "resolved": "https://registry.npmjs.org/cssom/-/cssom-0.3.8.tgz", - "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", - "dev": true, - "license": "MIT" - }, - "node_modules/data-urls": { - "version": "3.0.2", - "resolved": "https://registry.npmjs.org/data-urls/-/data-urls-3.0.2.tgz", - "integrity": "sha512-Jy/tj3ldjZJo63sVAvg6LHt2mHvl4V6AgRAmNDtLdm7faqtsx+aJG42rsyCo9JCoRVKwPFzKlIPx3DIibwSIaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "abab": "^2.0.6", - "whatwg-mimetype": "^3.0.0", - "whatwg-url": "^11.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/debug": { - "version": "4.4.1", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "^2.1.3" - }, - "engines": { - "node": ">=6.0" - }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } - } - }, - "node_modules/decimal.js": { - "version": "10.6.0", - "resolved": "https://registry.npmjs.org/decimal.js/-/decimal.js-10.6.0.tgz", - "integrity": "sha512-YpgQiITW3JXGntzdUmyUR1V812Hn8T1YVXhCu+wO3OpS4eU9l4YdD3qjyiKdV6mvV29zapkMeD390UVEf2lkUg==", - "dev": true, - "license": "MIT" - }, - "node_modules/dedent": { - "version": "1.6.0", - "dev": true, - "license": "MIT", - "peerDependencies": { - "babel-plugin-macros": "^3.1.0" - }, - "peerDependenciesMeta": { - "babel-plugin-macros": { - "optional": true - } - } - }, - "node_modules/deepmerge": { - "version": "4.3.1", - "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.3.1.tgz", - "integrity": "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/delayed-stream": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", - "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", - "license": "MIT", - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/detect-newline": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/detect-newline/-/detect-newline-3.1.0.tgz", - "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/diff-sequences": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/diff-sequences/-/diff-sequences-29.6.3.tgz", - "integrity": "sha512-EjePK1srD3P08o2j4f0ExnylqRs5B9tJjcp9t1krH2qRi8CCdsYfwe9JgSLurFBWwq4uOlipzfk5fHNvwFKr8Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/domexception": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/domexception/-/domexception-4.0.0.tgz", - "integrity": "sha512-A2is4PLG+eeSfoTMA95/s4pvAoSo2mKtiM5jlHkAVewmiO8ISFTFKZjH7UAM1Atli/OT/7JHOrJRJiMKUZKYBw==", - "dev": true, - "license": "MIT", - "dependencies": { - "webidl-conversions": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/dunder-proto": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", - "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.1", - "es-errors": "^1.3.0", - "gopd": "^1.2.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/ejs": { - "version": "3.1.10", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "jake": "^10.8.5" - }, - "bin": { - "ejs": "bin/cli.js" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/electron-to-chromium": { - "version": "1.5.190", - "dev": true, - "license": "ISC" - }, - "node_modules/emittery": { - "version": "0.13.1", - "resolved": "https://registry.npmjs.org/emittery/-/emittery-0.13.1.tgz", - "integrity": "sha512-DeWwawk6r5yR9jFgnDKYt4sLS0LmHJJi3ZOnb5/JdbYwj3nW+FxQnHIjhBKz8YLC7oRNPVM9NQ47I3CVx34eqQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=12" - }, - "funding": { - "url": "https://github.com/sindresorhus/emittery?sponsor=1" - } - }, - "node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/enhanced-resolve": { - "version": "5.18.2", - "dev": true, - "license": "MIT", - "dependencies": { - "graceful-fs": "^4.2.4", - "tapable": "^2.2.0" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/entities": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/entities/-/entities-6.0.1.tgz", - "integrity": "sha512-aN97NXWF6AWBTahfVOIrB/NShkzi5H7F9r1s9mD3cDj4Ko5f2qhhVoYMibXF7GlLveb/D2ioWay8lxI97Ven3g==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=0.12" - }, - "funding": { - "url": "https://github.com/fb55/entities?sponsor=1" - } - }, - "node_modules/error-ex": { - "version": "1.3.2", - "dev": true, - "license": "MIT", - "dependencies": { - "is-arrayish": "^0.2.1" - } - }, - "node_modules/es-define-property": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", - "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-errors": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", - "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-module-lexer": { - "version": "1.7.0", - "resolved": "https://registry.npmjs.org/es-module-lexer/-/es-module-lexer-1.7.0.tgz", - "integrity": "sha512-jEQoCwk8hyb2AZziIOLhDqpm5+2ww5uIE6lkO/6jcOCusfk6LhMHpXXfBLXTZ7Ydyt0j4VoUQv6uGNYbdW+kBA==", - "dev": true, - "license": "MIT" - }, - "node_modules/es-object-atoms": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", - "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-set-tostringtag": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", - "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.6", - "has-tostringtag": "^1.0.2", - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/esbuild": { - "version": "0.25.9", - "dev": true, - "hasInstallScript": true, - "license": "MIT", - "bin": { - "esbuild": "bin/esbuild" - }, - "engines": { - "node": ">=18" - }, - "optionalDependencies": { - "@esbuild/aix-ppc64": "0.25.9", - "@esbuild/android-arm": "0.25.9", - "@esbuild/android-arm64": "0.25.9", - "@esbuild/android-x64": "0.25.9", - "@esbuild/darwin-arm64": "0.25.9", - "@esbuild/darwin-x64": "0.25.9", - "@esbuild/freebsd-arm64": "0.25.9", - "@esbuild/freebsd-x64": "0.25.9", - "@esbuild/linux-arm": "0.25.9", - "@esbuild/linux-arm64": "0.25.9", - "@esbuild/linux-ia32": "0.25.9", - "@esbuild/linux-loong64": "0.25.9", - "@esbuild/linux-mips64el": "0.25.9", - "@esbuild/linux-ppc64": "0.25.9", - "@esbuild/linux-riscv64": "0.25.9", - "@esbuild/linux-s390x": "0.25.9", - "@esbuild/linux-x64": "0.25.9", - "@esbuild/netbsd-arm64": "0.25.9", - "@esbuild/netbsd-x64": "0.25.9", - "@esbuild/openbsd-arm64": "0.25.9", - "@esbuild/openbsd-x64": "0.25.9", - "@esbuild/openharmony-arm64": "0.25.9", - "@esbuild/sunos-x64": "0.25.9", - "@esbuild/win32-arm64": "0.25.9", - "@esbuild/win32-ia32": "0.25.9", - "@esbuild/win32-x64": "0.25.9" - } - }, - "node_modules/escalade": { - "version": "3.2.0", - "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", - "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/escape-string-regexp": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", - "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/escodegen": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/escodegen/-/escodegen-2.1.0.tgz", - "integrity": "sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "esprima": "^4.0.1", - "estraverse": "^5.2.0", - "esutils": "^2.0.2" - }, - "bin": { - "escodegen": "bin/escodegen.js", - "esgenerate": "bin/esgenerate.js" - }, - "engines": { - "node": ">=6.0" - }, - "optionalDependencies": { - "source-map": "~0.6.1" - } - }, - "node_modules/eslint-scope": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz", - "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "esrecurse": "^4.3.0", - "estraverse": "^4.1.1" - }, - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/eslint-scope/node_modules/estraverse": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz", - "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=4.0" - } - }, - "node_modules/esprima": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", - "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", - "dev": true, - "license": "BSD-2-Clause", - "bin": { - "esparse": "bin/esparse.js", - "esvalidate": "bin/esvalidate.js" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/esrecurse": { - "version": "4.3.0", - "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", - "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "estraverse": "^5.2.0" - }, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/estraverse": { - "version": "5.3.0", - "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", - "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=4.0" - } - }, - "node_modules/esutils": { - "version": "2.0.3", - "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", - "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/event-target-shim": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/event-target-shim/-/event-target-shim-5.0.1.tgz", - "integrity": "sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==", - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/events": { - "version": "3.3.0", - "resolved": "https://registry.npmjs.org/events/-/events-3.3.0.tgz", - "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", - "license": "MIT", - "engines": { - "node": ">=0.8.x" - } - }, - "node_modules/execa": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", - "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", - "dev": true, - "license": "MIT", - "dependencies": { - "cross-spawn": "^7.0.3", - "get-stream": "^6.0.0", - "human-signals": "^2.1.0", - "is-stream": "^2.0.0", - "merge-stream": "^2.0.0", - "npm-run-path": "^4.0.1", - "onetime": "^5.1.2", - "signal-exit": "^3.0.3", - "strip-final-newline": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sindresorhus/execa?sponsor=1" - } - }, - "node_modules/exit": { - "version": "0.1.2", - "resolved": "https://registry.npmjs.org/exit/-/exit-0.1.2.tgz", - "integrity": "sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ==", - "dev": true, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/expect": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/expect/-/expect-29.7.0.tgz", - "integrity": "sha512-2Zks0hf1VLFYI1kbh0I5jP3KHHyCHpkfyHBzsSXRFgl/Bg9mWYfMW8oD+PdMPlEwy5HNsR9JutYy6pMeOh61nw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/expect-utils": "^29.7.0", - "jest-get-type": "^29.6.3", - "jest-matcher-utils": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-util": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/fast-deep-equal": { - "version": "3.1.3", - "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", - "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/fast-json-stable-stringify": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", - "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", - "dev": true, - "license": "MIT" - }, - "node_modules/fast-uri": { - "version": "3.0.6", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/fastify" - }, - { - "type": "opencollective", - "url": "https://opencollective.com/fastify" - } - ], - "license": "BSD-3-Clause" - }, - "node_modules/fb-watchman": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/fb-watchman/-/fb-watchman-2.0.2.tgz", - "integrity": "sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "bser": "2.1.1" - } - }, - "node_modules/filelist": { - "version": "1.0.4", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "minimatch": "^5.0.1" - } - }, - "node_modules/filelist/node_modules/brace-expansion": { - "version": "2.0.2", - "dev": true, - "license": "MIT", - "dependencies": { - "balanced-match": "^1.0.0" - } - }, - "node_modules/filelist/node_modules/minimatch": { - "version": "5.1.6", - "dev": true, - "license": "ISC", - "dependencies": { - "brace-expansion": "^2.0.1" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/fill-range": { - "version": "7.1.1", - "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", - "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", - "dev": true, - "license": "MIT", - "dependencies": { - "to-regex-range": "^5.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/find-up": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", - "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", - "dev": true, - "license": "MIT", - "dependencies": { - "locate-path": "^5.0.0", - "path-exists": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/form-data": { - "version": "4.0.4", - "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.4.tgz", - "integrity": "sha512-KrGhL9Q4zjj0kiUt5OO4Mr/A/jlI2jDYs5eHBpYHPcBEVSiipAvn2Ko2HnPe20rmcuuvMHNdZFp+4IlGTMF0Ow==", - "license": "MIT", - "dependencies": { - "asynckit": "^0.4.0", - "combined-stream": "^1.0.8", - "es-set-tostringtag": "^2.1.0", - "hasown": "^2.0.2", - "mime-types": "^2.1.12" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/formdata-node": { - "version": "6.0.3", - "resolved": "https://registry.npmjs.org/formdata-node/-/formdata-node-6.0.3.tgz", - "integrity": "sha512-8e1++BCiTzUno9v5IZ2J6bv4RU+3UKDmqWUQD0MIMVCd9AdhWkO1gw57oo1mNEX1dMq2EGI+FbWz4B92pscSQg==", - "license": "MIT", - "engines": { - "node": ">= 18" - } - }, - "node_modules/fs.realpath": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", - "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", - "dev": true, - "license": "ISC" - }, - "node_modules/fsevents": { - "version": "2.3.3", - "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", - "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", - "dev": true, - "license": "MIT", - "optional": true, - "os": [ - "darwin" - ], - "engines": { - "node": "^8.16.0 || ^10.6.0 || >=11.0.0" - } - }, - "node_modules/function-bind": { - "version": "1.1.2", - "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", - "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/gensync": { - "version": "1.0.0-beta.2", - "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", - "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/get-caller-file": { - "version": "2.0.5", - "resolved": "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz", - "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", - "dev": true, - "license": "ISC", - "engines": { - "node": "6.* || 8.* || >= 10.*" - } - }, - "node_modules/get-intrinsic": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", - "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "es-define-property": "^1.0.1", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.1.1", - "function-bind": "^1.1.2", - "get-proto": "^1.0.1", - "gopd": "^1.2.0", - "has-symbols": "^1.1.0", - "hasown": "^2.0.2", - "math-intrinsics": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/get-package-type": { - "version": "0.1.0", - "resolved": "https://registry.npmjs.org/get-package-type/-/get-package-type-0.1.0.tgz", - "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/get-proto": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", - "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", - "license": "MIT", - "dependencies": { - "dunder-proto": "^1.0.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/get-stream": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", - "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/glob": { - "version": "7.2.3", - "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", - "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", - "dev": true, - "license": "ISC", - "dependencies": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^3.1.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" - }, - "engines": { - "node": "*" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/glob-to-regexp": { - "version": "0.4.1", - "resolved": "https://registry.npmjs.org/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", - "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/gopd": { - "version": "1.2.0", - "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", - "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/graceful-fs": { - "version": "4.2.11", - "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", - "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/has-flag": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/has-symbols": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", - "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-tostringtag": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", - "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", - "license": "MIT", - "dependencies": { - "has-symbols": "^1.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/hasown": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", - "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", - "license": "MIT", - "dependencies": { - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/html-encoding-sniffer": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/html-encoding-sniffer/-/html-encoding-sniffer-3.0.0.tgz", - "integrity": "sha512-oWv4T4yJ52iKrufjnyZPkrN0CH3QnrUqdB6In1g5Fe1mia8GmF36gnfNySxoZtxD5+NmYw1EElVXiBk93UeskA==", - "dev": true, - "license": "MIT", - "dependencies": { - "whatwg-encoding": "^2.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/html-escaper": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-2.0.2.tgz", - "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", - "dev": true, - "license": "MIT" - }, - "node_modules/http-proxy-agent": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz", - "integrity": "sha512-n2hY8YdoRE1i7r6M0w9DIw5GgZN0G25P8zLCRQ8rjXtTU3vsNFBI/vWK/UIeE6g5MUUz6avwAPXmL6Fy9D/90w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@tootallnate/once": "2", - "agent-base": "6", - "debug": "4" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/https-proxy-agent": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", - "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", - "dev": true, - "license": "MIT", - "dependencies": { - "agent-base": "6", - "debug": "4" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/human-signals": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", - "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">=10.17.0" - } - }, - "node_modules/iconv-lite": { - "version": "0.6.3", - "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz", - "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", - "dev": true, - "license": "MIT", - "dependencies": { - "safer-buffer": ">= 2.1.2 < 3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/ieee754": { - "version": "1.2.1", - "resolved": "https://registry.npmjs.org/ieee754/-/ieee754-1.2.1.tgz", - "integrity": "sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==", - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "BSD-3-Clause" - }, - "node_modules/import-local": { - "version": "3.2.0", - "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.2.0.tgz", - "integrity": "sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA==", - "dev": true, - "license": "MIT", - "dependencies": { - "pkg-dir": "^4.2.0", - "resolve-cwd": "^3.0.0" - }, - "bin": { - "import-local-fixture": "fixtures/cli.js" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/imurmurhash": { - "version": "0.1.4", - "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", - "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.19" - } - }, - "node_modules/inflight": { - "version": "1.0.6", - "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", - "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", - "dev": true, - "license": "ISC", - "dependencies": { - "once": "^1.3.0", - "wrappy": "1" - } - }, - "node_modules/inherits": { - "version": "2.0.4", - "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", - "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/is-arrayish": { - "version": "0.2.1", - "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.2.1.tgz", - "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-core-module": { - "version": "2.16.1", - "dev": true, - "license": "MIT", - "dependencies": { - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/is-generator-fn": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/is-generator-fn/-/is-generator-fn-2.1.0.tgz", - "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/is-number": { - "version": "7.0.0", - "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", - "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.12.0" - } - }, - "node_modules/is-potential-custom-element-name": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", - "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-stream": { - "version": "2.0.1", - "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", - "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/isexe": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", - "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", - "dev": true, - "license": "ISC" - }, - "node_modules/istanbul-lib-coverage": { - "version": "3.2.2", - "resolved": "https://registry.npmjs.org/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz", - "integrity": "sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=8" - } - }, - "node_modules/istanbul-lib-instrument": { - "version": "6.0.3", - "resolved": "https://registry.npmjs.org/istanbul-lib-instrument/-/istanbul-lib-instrument-6.0.3.tgz", - "integrity": "sha512-Vtgk7L/R2JHyyGW07spoFlB8/lpjiOLTjMdms6AFMraYt3BaJauod/NGrfnVG/y4Ix1JEuMRPDPEj2ua+zz1/Q==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/core": "^7.23.9", - "@babel/parser": "^7.23.9", - "@istanbuljs/schema": "^0.1.3", - "istanbul-lib-coverage": "^3.2.0", - "semver": "^7.5.4" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/istanbul-lib-report": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz", - "integrity": "sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "istanbul-lib-coverage": "^3.0.0", - "make-dir": "^4.0.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/istanbul-lib-source-maps": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", - "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "debug": "^4.1.1", - "istanbul-lib-coverage": "^3.0.0", - "source-map": "^0.6.1" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/istanbul-reports": { - "version": "3.1.7", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "html-escaper": "^2.0.0", - "istanbul-lib-report": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/jake": { - "version": "10.9.2", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "async": "^3.2.3", - "chalk": "^4.0.2", - "filelist": "^1.0.4", - "minimatch": "^3.1.2" - }, - "bin": { - "jake": "bin/cli.js" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/jest": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest/-/jest-29.7.0.tgz", - "integrity": "sha512-NIy3oAFp9shda19hy4HK0HRTWKtPJmGdnvywu01nOqNC2vZg+Z+fvJDxpMQA88eb2I9EcafcdjYgsDthnYTvGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/core": "^29.7.0", - "@jest/types": "^29.6.3", - "import-local": "^3.0.2", - "jest-cli": "^29.7.0" - }, - "bin": { - "jest": "bin/jest.js" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" - }, - "peerDependenciesMeta": { - "node-notifier": { - "optional": true - } - } - }, - "node_modules/jest-changed-files": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-changed-files/-/jest-changed-files-29.7.0.tgz", - "integrity": "sha512-fEArFiwf1BpQ+4bXSprcDc3/x4HSzL4al2tozwVpDFpsxALjLYdyiIK4e5Vz66GQJIbXJ82+35PtysofptNX2w==", - "dev": true, - "license": "MIT", - "dependencies": { - "execa": "^5.0.0", - "jest-util": "^29.7.0", - "p-limit": "^3.1.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-circus": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-circus/-/jest-circus-29.7.0.tgz", - "integrity": "sha512-3E1nCMgipcTkCocFwM90XXQab9bS+GMsjdpmPrlelaxwD93Ad8iVEjX/vvHPdLPnFf+L40u+5+iutRdA1N9myw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^29.7.0", - "@jest/expect": "^29.7.0", - "@jest/test-result": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "co": "^4.6.0", - "dedent": "^1.0.0", - "is-generator-fn": "^2.0.0", - "jest-each": "^29.7.0", - "jest-matcher-utils": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-runtime": "^29.7.0", - "jest-snapshot": "^29.7.0", - "jest-util": "^29.7.0", - "p-limit": "^3.1.0", - "pretty-format": "^29.7.0", - "pure-rand": "^6.0.0", - "slash": "^3.0.0", - "stack-utils": "^2.0.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-circus/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-circus/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-cli": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-cli/-/jest-cli-29.7.0.tgz", - "integrity": "sha512-OVVobw2IubN/GSYsxETi+gOe7Ka59EFMR/twOU3Jb2GnKKeMGJB5SGUUrEz3SFVmJASUdZUzy83sLNNQ2gZslg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/core": "^29.7.0", - "@jest/test-result": "^29.7.0", - "@jest/types": "^29.6.3", - "chalk": "^4.0.0", - "create-jest": "^29.7.0", - "exit": "^0.1.2", - "import-local": "^3.0.2", - "jest-config": "^29.7.0", - "jest-util": "^29.7.0", - "jest-validate": "^29.7.0", - "yargs": "^17.3.1" - }, - "bin": { - "jest": "bin/jest.js" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "node-notifier": "^8.0.1 || ^9.0.0 || ^10.0.0" - }, - "peerDependenciesMeta": { - "node-notifier": { - "optional": true - } - } - }, - "node_modules/jest-config": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-config/-/jest-config-29.7.0.tgz", - "integrity": "sha512-uXbpfeQ7R6TZBqI3/TxCU4q4ttk3u0PJeC+E0zbfSoSjq6bJ7buBPxzQPL0ifrkY4DNu4JUdk0ImlBUYi840eQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.11.6", - "@jest/test-sequencer": "^29.7.0", - "@jest/types": "^29.6.3", - "babel-jest": "^29.7.0", - "chalk": "^4.0.0", - "ci-info": "^3.2.0", - "deepmerge": "^4.2.2", - "glob": "^7.1.3", - "graceful-fs": "^4.2.9", - "jest-circus": "^29.7.0", - "jest-environment-node": "^29.7.0", - "jest-get-type": "^29.6.3", - "jest-regex-util": "^29.6.3", - "jest-resolve": "^29.7.0", - "jest-runner": "^29.7.0", - "jest-util": "^29.7.0", - "jest-validate": "^29.7.0", - "micromatch": "^4.0.4", - "parse-json": "^5.2.0", - "pretty-format": "^29.7.0", - "slash": "^3.0.0", - "strip-json-comments": "^3.1.1" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "@types/node": "*", - "ts-node": ">=9.0.0" - }, - "peerDependenciesMeta": { - "@types/node": { - "optional": true - }, - "ts-node": { - "optional": true - } - } - }, - "node_modules/jest-config/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "optional": true, - "peer": true, - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-config/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT", - "optional": true, - "peer": true - }, - "node_modules/jest-diff": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-diff/-/jest-diff-29.7.0.tgz", - "integrity": "sha512-LMIgiIrhigmPrs03JHpxUh2yISK3vLFPkAodPeo0+BuF7wA2FoQbkEg1u8gBYBThncu7e1oEDUfIXVuTqLRUjw==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "diff-sequences": "^29.6.3", - "jest-get-type": "^29.6.3", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-docblock": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-docblock/-/jest-docblock-29.7.0.tgz", - "integrity": "sha512-q617Auw3A612guyaFgsbFeYpNP5t2aoUNLwBUbc/0kD1R4t9ixDbyFTHd1nok4epoVFpr7PmeWHrhvuV3XaJ4g==", - "dev": true, - "license": "MIT", - "dependencies": { - "detect-newline": "^3.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-each": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-each/-/jest-each-29.7.0.tgz", - "integrity": "sha512-gns+Er14+ZrEoC5fhOfYCY1LOHHr0TI+rQUHZS8Ttw2l7gl+80eHc/gFf2Ktkw0+SIACDTeWvpFcv3B04VembQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "chalk": "^4.0.0", - "jest-get-type": "^29.6.3", - "jest-util": "^29.7.0", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-environment-jsdom": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-environment-jsdom/-/jest-environment-jsdom-29.7.0.tgz", - "integrity": "sha512-k9iQbsf9OyOfdzWH8HDmrRT0gSIcX+FLNW7IQq94tFX0gynPwqDTW0Ho6iMVNjGz/nb+l/vW3dWM2bbLLpkbXA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^29.7.0", - "@jest/fake-timers": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/jsdom": "^20.0.0", - "@types/node": "*", - "jest-mock": "^29.7.0", - "jest-util": "^29.7.0", - "jsdom": "^20.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "canvas": "^2.5.0" - }, - "peerDependenciesMeta": { - "canvas": { - "optional": true - } - } - }, - "node_modules/jest-environment-jsdom/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-environment-jsdom/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-environment-node": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-environment-node/-/jest-environment-node-29.7.0.tgz", - "integrity": "sha512-DOSwCRqXirTOyheM+4d5YZOrWcdu0LNZ87ewUoywbcb2XR4wKgqiG8vNeYwhjFMbEkfju7wx2GYH0P2gevGvFw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^29.7.0", - "@jest/fake-timers": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "jest-mock": "^29.7.0", - "jest-util": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-environment-node/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-environment-node/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-get-type": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/jest-get-type/-/jest-get-type-29.6.3.tgz", - "integrity": "sha512-zrteXnqYxfQh7l5FHyL38jL39di8H8rHoecLH3JNxH3BwOrBsNeabdap5e0I23lD4HHI8W5VFBZqG4Eaq5LNcw==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-haste-map": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-haste-map/-/jest-haste-map-29.7.0.tgz", - "integrity": "sha512-fP8u2pyfqx0K1rGn1R9pyE0/KTn+G7PxktWidOBTqFPLYX0b9ksaMFkhK5vrS3DVun09pckLdlx90QthlW7AmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@types/graceful-fs": "^4.1.3", - "@types/node": "*", - "anymatch": "^3.0.3", - "fb-watchman": "^2.0.0", - "graceful-fs": "^4.2.9", - "jest-regex-util": "^29.6.3", - "jest-util": "^29.7.0", - "jest-worker": "^29.7.0", - "micromatch": "^4.0.4", - "walker": "^1.0.8" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "optionalDependencies": { - "fsevents": "^2.3.2" - } - }, - "node_modules/jest-haste-map/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-haste-map/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-leak-detector": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-leak-detector/-/jest-leak-detector-29.7.0.tgz", - "integrity": "sha512-kYA8IJcSYtST2BY9I+SMC32nDpBT3J2NvWJx8+JCuCdl/CR1I4EKUJROiP8XtCcxqgTTBGJNdbB1A8XRKbTetw==", - "dev": true, - "license": "MIT", - "dependencies": { - "jest-get-type": "^29.6.3", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-matcher-utils": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz", - "integrity": "sha512-sBkD+Xi9DtcChsI3L3u0+N0opgPYnCRPtGcQYrgXmR+hmt/fYfWAL0xRXYU8eWOdfuLgBe0YCW3AFtnRLagq/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "jest-diff": "^29.7.0", - "jest-get-type": "^29.6.3", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-message-util": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-message-util/-/jest-message-util-29.7.0.tgz", - "integrity": "sha512-GBEV4GRADeP+qtB2+6u61stea8mGcOT4mCtrYISZwfu9/ISHFJ/5zOMXYbpBE9RsS5+Gb63DW4FgmnKJ79Kf6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.12.13", - "@jest/types": "^29.6.3", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.9", - "micromatch": "^4.0.4", - "pretty-format": "^29.7.0", - "slash": "^3.0.0", - "stack-utils": "^2.0.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-mock": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-mock/-/jest-mock-29.7.0.tgz", - "integrity": "sha512-ITOMZn+UkYS4ZFh83xYAOzWStloNzJFO2s8DWrE4lhtGD+AorgnbkiKERe4wQVBydIGPx059g6riW5Btp6Llnw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@types/node": "*", - "jest-util": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-mock/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-mock/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-pnp-resolver": { - "version": "1.2.3", - "resolved": "https://registry.npmjs.org/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz", - "integrity": "sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - }, - "peerDependencies": { - "jest-resolve": "*" - }, - "peerDependenciesMeta": { - "jest-resolve": { - "optional": true - } - } - }, - "node_modules/jest-regex-util": { - "version": "29.6.3", - "resolved": "https://registry.npmjs.org/jest-regex-util/-/jest-regex-util-29.6.3.tgz", - "integrity": "sha512-KJJBsRCyyLNWCNBOvZyRDnAIfUiRJ8v+hOBQYGn8gDyF3UegwiP4gwRR3/SDa42g1YbVycTidUF3rKjyLFDWbg==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-resolve": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-resolve/-/jest-resolve-29.7.0.tgz", - "integrity": "sha512-IOVhZSrg+UvVAshDSDtHyFCCBUl/Q3AAJv8iZ6ZjnZ74xzvwuzLXid9IIIPgTnY62SJjfuupMKZsZQRsCvxEgA==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "graceful-fs": "^4.2.9", - "jest-haste-map": "^29.7.0", - "jest-pnp-resolver": "^1.2.2", - "jest-util": "^29.7.0", - "jest-validate": "^29.7.0", - "resolve": "^1.20.0", - "resolve.exports": "^2.0.0", - "slash": "^3.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-resolve-dependencies": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-resolve-dependencies/-/jest-resolve-dependencies-29.7.0.tgz", - "integrity": "sha512-un0zD/6qxJ+S0et7WxeI3H5XSe9lTBBR7bOHCHXkKR6luG5mwDDlIzVQ0V5cZCuoTgEdcdwzTghYkTWfubi+nA==", - "dev": true, - "license": "MIT", - "dependencies": { - "jest-regex-util": "^29.6.3", - "jest-snapshot": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-runner": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-runner/-/jest-runner-29.7.0.tgz", - "integrity": "sha512-fsc4N6cPCAahybGBfTRcq5wFR6fpLznMg47sY5aDpsoejOcVYFb07AHuSnR0liMcPTgBsA3ZJL6kFOjPdoNipQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^29.7.0", - "@jest/environment": "^29.7.0", - "@jest/test-result": "^29.7.0", - "@jest/transform": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "emittery": "^0.13.1", - "graceful-fs": "^4.2.9", - "jest-docblock": "^29.7.0", - "jest-environment-node": "^29.7.0", - "jest-haste-map": "^29.7.0", - "jest-leak-detector": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-resolve": "^29.7.0", - "jest-runtime": "^29.7.0", - "jest-util": "^29.7.0", - "jest-watcher": "^29.7.0", - "jest-worker": "^29.7.0", - "p-limit": "^3.1.0", - "source-map-support": "0.5.13" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-runner/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-runner/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-runtime": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-runtime/-/jest-runtime-29.7.0.tgz", - "integrity": "sha512-gUnLjgwdGqW7B4LvOIkbKs9WGbn+QLqRQQ9juC6HndeDiezIwhDP+mhMwHWCEcfQ5RUXa6OPnFF8BJh5xegwwQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^29.7.0", - "@jest/fake-timers": "^29.7.0", - "@jest/globals": "^29.7.0", - "@jest/source-map": "^29.6.3", - "@jest/test-result": "^29.7.0", - "@jest/transform": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "cjs-module-lexer": "^1.0.0", - "collect-v8-coverage": "^1.0.0", - "glob": "^7.1.3", - "graceful-fs": "^4.2.9", - "jest-haste-map": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-mock": "^29.7.0", - "jest-regex-util": "^29.6.3", - "jest-resolve": "^29.7.0", - "jest-snapshot": "^29.7.0", - "jest-util": "^29.7.0", - "slash": "^3.0.0", - "strip-bom": "^4.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-runtime/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-runtime/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-snapshot": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-snapshot/-/jest-snapshot-29.7.0.tgz", - "integrity": "sha512-Rm0BMWtxBcioHr1/OX5YCP8Uov4riHvKPknOGs804Zg9JGZgmIBkbtlxJC/7Z4msKYVbIJtfU+tKb8xlYNfdkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.11.6", - "@babel/generator": "^7.7.2", - "@babel/plugin-syntax-jsx": "^7.7.2", - "@babel/plugin-syntax-typescript": "^7.7.2", - "@babel/types": "^7.3.3", - "@jest/expect-utils": "^29.7.0", - "@jest/transform": "^29.7.0", - "@jest/types": "^29.6.3", - "babel-preset-current-node-syntax": "^1.0.0", - "chalk": "^4.0.0", - "expect": "^29.7.0", - "graceful-fs": "^4.2.9", - "jest-diff": "^29.7.0", - "jest-get-type": "^29.6.3", - "jest-matcher-utils": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-util": "^29.7.0", - "natural-compare": "^1.4.0", - "pretty-format": "^29.7.0", - "semver": "^7.5.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-util": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-util/-/jest-util-29.7.0.tgz", - "integrity": "sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "ci-info": "^3.2.0", - "graceful-fs": "^4.2.9", - "picomatch": "^2.2.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-util/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-util/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-validate": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-validate/-/jest-validate-29.7.0.tgz", - "integrity": "sha512-ZB7wHqaRGVw/9hST/OuFUReG7M8vKeq0/J2egIGLdvjHCmYqGARhzXmtgi+gVeZ5uXFF219aOc3Ls2yLg27tkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "camelcase": "^6.2.0", - "chalk": "^4.0.0", - "jest-get-type": "^29.6.3", - "leven": "^3.1.0", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-watcher": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-watcher/-/jest-watcher-29.7.0.tgz", - "integrity": "sha512-49Fg7WXkU3Vl2h6LbLtMQ/HyB6rXSIX7SqvBLQmssRBGN9I0PNvPmAmCWSOY6SOvrjhI/F7/bGAv9RtnsPA03g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/test-result": "^29.7.0", - "@jest/types": "^29.6.3", - "@types/node": "*", - "ansi-escapes": "^4.2.1", - "chalk": "^4.0.0", - "emittery": "^0.13.1", - "jest-util": "^29.7.0", - "string-length": "^4.0.1" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-watcher/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-watcher/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-worker": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-29.7.0.tgz", - "integrity": "sha512-eIz2msL/EzL9UFTFFx7jBTkeZfku0yUAyZZZmJ93H2TYEiroIx2PQjEXcwYtYl8zXCxb+PAmA2hLIt/6ZEkPHw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "jest-util": "^29.7.0", - "merge-stream": "^2.0.0", - "supports-color": "^8.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-worker/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/jest-worker/node_modules/supports-color": { - "version": "8.1.1", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", - "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/supports-color?sponsor=1" - } - }, - "node_modules/jest-worker/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/js-tokens": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", - "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/js-yaml": { - "version": "3.14.1", - "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", - "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "argparse": "^1.0.7", - "esprima": "^4.0.0" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/jsdom": { - "version": "20.0.3", - "resolved": "https://registry.npmjs.org/jsdom/-/jsdom-20.0.3.tgz", - "integrity": "sha512-SYhBvTh89tTfCD/CRdSOm13mOBa42iTaTyfyEWBdKcGdPxPtLFBXuHR8XHb33YNYaP+lLbmSvBTsnoesCNJEsQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "abab": "^2.0.6", - "acorn": "^8.8.1", - "acorn-globals": "^7.0.0", - "cssom": "^0.5.0", - "cssstyle": "^2.3.0", - "data-urls": "^3.0.2", - "decimal.js": "^10.4.2", - "domexception": "^4.0.0", - "escodegen": "^2.0.0", - "form-data": "^4.0.0", - "html-encoding-sniffer": "^3.0.0", - "http-proxy-agent": "^5.0.0", - "https-proxy-agent": "^5.0.1", - "is-potential-custom-element-name": "^1.0.1", - "nwsapi": "^2.2.2", - "parse5": "^7.1.1", - "saxes": "^6.0.0", - "symbol-tree": "^3.2.4", - "tough-cookie": "^4.1.2", - "w3c-xmlserializer": "^4.0.0", - "webidl-conversions": "^7.0.0", - "whatwg-encoding": "^2.0.0", - "whatwg-mimetype": "^3.0.0", - "whatwg-url": "^11.0.0", - "ws": "^8.11.0", - "xml-name-validator": "^4.0.0" - }, - "engines": { - "node": ">=14" - }, - "peerDependencies": { - "canvas": "^2.5.0" - }, - "peerDependenciesMeta": { - "canvas": { - "optional": true - } - } - }, - "node_modules/jsesc": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-3.1.0.tgz", - "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", - "dev": true, - "license": "MIT", - "bin": { - "jsesc": "bin/jsesc" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/json-parse-even-better-errors": { - "version": "2.3.1", - "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", - "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-schema-traverse": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", - "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", - "dev": true, - "license": "MIT" - }, - "node_modules/json5": { - "version": "2.2.3", - "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz", - "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", - "dev": true, - "license": "MIT", - "bin": { - "json5": "lib/cli.js" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/kleur": { - "version": "3.0.3", - "resolved": "https://registry.npmjs.org/kleur/-/kleur-3.0.3.tgz", - "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/leven": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/leven/-/leven-3.1.0.tgz", - "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/lines-and-columns": { - "version": "1.2.4", - "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", - "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", - "dev": true, - "license": "MIT" - }, - "node_modules/loader-runner": { - "version": "4.3.0", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.11.5" - } - }, - "node_modules/locate-path": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", - "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-locate": "^4.1.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/lodash.memoize": { - "version": "4.1.2", - "resolved": "https://registry.npmjs.org/lodash.memoize/-/lodash.memoize-4.1.2.tgz", - "integrity": "sha512-t7j+NzmgnQzTAYXcsHYLgimltOV1MXHtlOWf6GjL9Kj8GK5FInw5JotxvbOs+IvV1/Dzo04/fCGfLVs7aXb4Ag==", - "dev": true, - "license": "MIT" - }, - "node_modules/lru-cache": { - "version": "5.1.1", - "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz", - "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", - "dev": true, - "license": "ISC", - "dependencies": { - "yallist": "^3.0.2" - } - }, - "node_modules/make-dir": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-4.0.0.tgz", - "integrity": "sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==", - "dev": true, - "license": "MIT", - "dependencies": { - "semver": "^7.5.3" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/make-error": { - "version": "1.3.6", - "resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz", - "integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==", - "dev": true, - "license": "ISC" - }, - "node_modules/makeerror": { - "version": "1.0.12", - "resolved": "https://registry.npmjs.org/makeerror/-/makeerror-1.0.12.tgz", - "integrity": "sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "tmpl": "1.0.5" - } - }, - "node_modules/math-intrinsics": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", - "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/merge-stream": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", - "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", - "dev": true, - "license": "MIT" - }, - "node_modules/micromatch": { - "version": "4.0.8", - "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", - "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", - "dev": true, - "license": "MIT", - "dependencies": { - "braces": "^3.0.3", - "picomatch": "^2.3.1" - }, - "engines": { - "node": ">=8.6" - } - }, - "node_modules/mime-db": { - "version": "1.52.0", - "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", - "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/mime-types": { - "version": "2.1.35", - "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", - "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", - "license": "MIT", - "dependencies": { - "mime-db": "1.52.0" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/mimic-fn": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", - "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/minimatch": { - "version": "3.1.2", - "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", - "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", - "dev": true, - "license": "ISC", - "dependencies": { - "brace-expansion": "^1.1.7" - }, - "engines": { - "node": "*" - } - }, - "node_modules/ms": { - "version": "2.1.3", - "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", - "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", - "dev": true, - "license": "MIT" - }, - "node_modules/natural-compare": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", - "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", - "dev": true, - "license": "MIT" - }, - "node_modules/neo-async": { - "version": "2.6.2", - "resolved": "https://registry.npmjs.org/neo-async/-/neo-async-2.6.2.tgz", - "integrity": "sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==", - "dev": true, - "license": "MIT" - }, - "node_modules/node-fetch": { - "version": "2.7.0", - "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz", - "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", - "license": "MIT", - "dependencies": { - "whatwg-url": "^5.0.0" - }, - "engines": { - "node": "4.x || >=6.0.0" - }, - "peerDependencies": { - "encoding": "^0.1.0" - }, - "peerDependenciesMeta": { - "encoding": { - "optional": true - } - } - }, - "node_modules/node-fetch/node_modules/tr46": { - "version": "0.0.3", - "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", - "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", - "license": "MIT" - }, - "node_modules/node-fetch/node_modules/webidl-conversions": { - "version": "3.0.1", - "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz", - "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", - "license": "BSD-2-Clause" - }, - "node_modules/node-fetch/node_modules/whatwg-url": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", - "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", - "license": "MIT", - "dependencies": { - "tr46": "~0.0.3", - "webidl-conversions": "^3.0.0" - } - }, - "node_modules/node-int64": { - "version": "0.4.0", - "resolved": "https://registry.npmjs.org/node-int64/-/node-int64-0.4.0.tgz", - "integrity": "sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==", - "dev": true, - "license": "MIT" - }, - "node_modules/node-releases": { - "version": "2.0.19", - "dev": true, - "license": "MIT" - }, - "node_modules/normalize-path": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", - "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/npm-run-path": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", - "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/nwsapi": { - "version": "2.2.20", - "dev": true, - "license": "MIT" - }, - "node_modules/object-inspect": { - "version": "1.13.4", - "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.4.tgz", - "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/once": { - "version": "1.4.0", - "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", - "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", - "dev": true, - "license": "ISC", - "dependencies": { - "wrappy": "1" - } - }, - "node_modules/onetime": { - "version": "5.1.2", - "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", - "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", - "dev": true, - "license": "MIT", - "dependencies": { - "mimic-fn": "^2.1.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-limit": { - "version": "3.1.0", - "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz", - "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "yocto-queue": "^0.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-locate": { - "version": "4.1.0", - "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", - "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-limit": "^2.2.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/p-locate/node_modules/p-limit": { - "version": "2.3.0", - "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", - "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-try": "^2.0.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-try": { - "version": "2.2.0", - "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", - "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/parse-json": { - "version": "5.2.0", - "resolved": "https://registry.npmjs.org/parse-json/-/parse-json-5.2.0.tgz", - "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "error-ex": "^1.3.1", - "json-parse-even-better-errors": "^2.3.0", - "lines-and-columns": "^1.1.6" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/parse5": { - "version": "7.3.0", - "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.3.0.tgz", - "integrity": "sha512-IInvU7fabl34qmi9gY8XOVxhYyMyuH2xUNpb2q8/Y+7552KlejkRvqvD19nMoUW/uQGGbqNpA6Tufu5FL5BZgw==", - "dev": true, - "license": "MIT", - "dependencies": { - "entities": "^6.0.0" - }, - "funding": { - "url": "https://github.com/inikulin/parse5?sponsor=1" - } - }, - "node_modules/path-exists": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", - "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/path-is-absolute": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", - "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/path-key": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/path-parse": { - "version": "1.0.7", - "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", - "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", - "dev": true, - "license": "MIT" - }, - "node_modules/picocolors": { - "version": "1.1.1", - "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", - "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", - "dev": true, - "license": "ISC" - }, - "node_modules/picomatch": { - "version": "2.3.1", - "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", - "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.6" - }, - "funding": { - "url": "https://github.com/sponsors/jonschlinkert" - } - }, - "node_modules/pirates": { - "version": "4.0.7", - "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.7.tgz", - "integrity": "sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/pkg-dir": { - "version": "4.2.0", - "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", - "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/prettier": { - "version": "3.6.2", - "resolved": "https://registry.npmjs.org/prettier/-/prettier-3.6.2.tgz", - "integrity": "sha512-I7AIg5boAr5R0FFtJ6rCfD+LFsWHp81dolrFD8S79U9tb8Az2nGrJncnMSnys+bpQJfRUzqs9hnA81OAA3hCuQ==", - "dev": true, - "license": "MIT", - "bin": { - "prettier": "bin/prettier.cjs" - }, - "engines": { - "node": ">=14" - }, - "funding": { - "url": "https://github.com/prettier/prettier?sponsor=1" - } - }, - "node_modules/pretty-format": { - "version": "29.7.0", - "resolved": "https://registry.npmjs.org/pretty-format/-/pretty-format-29.7.0.tgz", - "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "ansi-styles": "^5.0.0", - "react-is": "^18.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/pretty-format/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/process": { - "version": "0.11.10", - "resolved": "https://registry.npmjs.org/process/-/process-0.11.10.tgz", - "integrity": "sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==", - "license": "MIT", - "engines": { - "node": ">= 0.6.0" - } - }, - "node_modules/prompts": { - "version": "2.4.2", - "resolved": "https://registry.npmjs.org/prompts/-/prompts-2.4.2.tgz", - "integrity": "sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "kleur": "^3.0.3", - "sisteransi": "^1.0.5" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/psl": { - "version": "1.15.0", - "resolved": "https://registry.npmjs.org/psl/-/psl-1.15.0.tgz", - "integrity": "sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w==", - "dev": true, - "license": "MIT", - "dependencies": { - "punycode": "^2.3.1" - }, - "funding": { - "url": "https://github.com/sponsors/lupomontero" - } - }, - "node_modules/punycode": { - "version": "2.3.1", - "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz", - "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/pure-rand": { - "version": "6.1.0", - "resolved": "https://registry.npmjs.org/pure-rand/-/pure-rand-6.1.0.tgz", - "integrity": "sha512-bVWawvoZoBYpp6yIoQtQXHZjmz35RSVHnUOTefl8Vcjr8snTPY1wnpSPMWekcFwbxI6gtmT7rSYPFvz71ldiOA==", - "dev": true, - "funding": [ - { - "type": "individual", - "url": "https://github.com/sponsors/dubzzz" - }, - { - "type": "opencollective", - "url": "https://opencollective.com/fast-check" - } - ], - "license": "MIT" - }, - "node_modules/qs": { - "version": "6.14.0", - "resolved": "https://registry.npmjs.org/qs/-/qs-6.14.0.tgz", - "integrity": "sha512-YWWTjgABSKcvs/nWBi9PycY/JiPJqOD4JA6o9Sej2AtvSGarXxKC3OQSk4pAarbdQlKAh5D4FCQkJNkW+GAn3w==", - "license": "BSD-3-Clause", - "dependencies": { - "side-channel": "^1.1.0" - }, - "engines": { - "node": ">=0.6" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/querystringify": { - "version": "2.2.0", - "resolved": "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz", - "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/randombytes": { - "version": "2.1.0", - "resolved": "https://registry.npmjs.org/randombytes/-/randombytes-2.1.0.tgz", - "integrity": "sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "safe-buffer": "^5.1.0" - } - }, - "node_modules/react-is": { - "version": "18.3.1", - "resolved": "https://registry.npmjs.org/react-is/-/react-is-18.3.1.tgz", - "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", - "dev": true, - "license": "MIT" - }, - "node_modules/readable-stream": { - "version": "4.7.0", - "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-4.7.0.tgz", - "integrity": "sha512-oIGGmcpTLwPga8Bn6/Z75SVaH1z5dUut2ibSyAMVhmUggWpmDn2dapB0n7f8nwaSiRtepAsfJyfXIO5DCVAODg==", - "license": "MIT", - "dependencies": { - "abort-controller": "^3.0.0", - "buffer": "^6.0.3", - "events": "^3.3.0", - "process": "^0.11.10", - "string_decoder": "^1.3.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - } - }, - "node_modules/redis": { - "version": "5.10.0", - "resolved": "https://registry.npmjs.org/redis/-/redis-5.10.0.tgz", - "integrity": "sha512-0/Y+7IEiTgVGPrLFKy8oAEArSyEJkU0zvgV5xyi9NzNQ+SLZmyFbUsWIbgPcd4UdUh00opXGKlXJwMmsis5Byw==", - "dependencies": { - "@redis/bloom": "5.10.0", - "@redis/client": "5.10.0", - "@redis/json": "5.10.0", - "@redis/search": "5.10.0", - "@redis/time-series": "5.10.0" - }, - "engines": { - "node": ">= 18" - } - }, - "node_modules/require-directory": { - "version": "2.1.1", - "resolved": "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz", - "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/require-from-string": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz", - "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/requires-port": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz", - "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/resolve": { - "version": "1.22.10", - "dev": true, - "license": "MIT", - "dependencies": { - "is-core-module": "^2.16.0", - "path-parse": "^1.0.7", - "supports-preserve-symlinks-flag": "^1.0.0" - }, - "bin": { - "resolve": "bin/resolve" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/resolve-cwd": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", - "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "resolve-from": "^5.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/resolve-from": { - "version": "5.0.0", - "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", - "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/resolve.exports": { - "version": "2.0.3", - "resolved": "https://registry.npmjs.org/resolve.exports/-/resolve.exports-2.0.3.tgz", - "integrity": "sha512-OcXjMsGdhL4XnbShKpAcSqPMzQoYkYyhbEaeSko47MjRP9NfEQMhZkXL1DoFlt9LWQn4YttrdnV6X2OiyzBi+A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - } - }, - "node_modules/safe-buffer": { - "version": "5.2.1", - "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", - "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT" - }, - "node_modules/safer-buffer": { - "version": "2.1.2", - "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", - "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", - "dev": true, - "license": "MIT" - }, - "node_modules/saxes": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/saxes/-/saxes-6.0.0.tgz", - "integrity": "sha512-xAg7SOnEhrm5zI3puOOKyy1OMcMlIJZYNJY7xLBwSze0UjhPLnWfj2GF2EpT0jmzaJKIWKHLsaSSajf35bcYnA==", - "dev": true, - "license": "ISC", - "dependencies": { - "xmlchars": "^2.2.0" - }, - "engines": { - "node": ">=v12.22.7" - } - }, - "node_modules/schema-utils": { - "version": "4.3.2", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/json-schema": "^7.0.9", - "ajv": "^8.9.0", - "ajv-formats": "^2.1.1", - "ajv-keywords": "^5.1.0" - }, - "engines": { - "node": ">= 10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - } - }, - "node_modules/semver": { - "version": "7.7.2", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/serialize-javascript": { - "version": "6.0.2", - "resolved": "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-6.0.2.tgz", - "integrity": "sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "randombytes": "^2.1.0" - } - }, - "node_modules/shebang-command": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "shebang-regex": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/shebang-regex": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/side-channel": { - "version": "1.1.0", - "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.1.0.tgz", - "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3", - "side-channel-list": "^1.0.0", - "side-channel-map": "^1.0.1", - "side-channel-weakmap": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-list": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/side-channel-list/-/side-channel-list-1.0.0.tgz", - "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-map": { - "version": "1.0.1", - "resolved": "https://registry.npmjs.org/side-channel-map/-/side-channel-map-1.0.1.tgz", - "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-weakmap": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", - "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3", - "side-channel-map": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/signal-exit": { - "version": "3.0.7", - "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", - "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/sisteransi": { - "version": "1.0.5", - "resolved": "https://registry.npmjs.org/sisteransi/-/sisteransi-1.0.5.tgz", - "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==", - "dev": true, - "license": "MIT" - }, - "node_modules/slash": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/source-map": { - "version": "0.6.1", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/source-map-support": { - "version": "0.5.13", - "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.13.tgz", - "integrity": "sha512-SHSKFHadjVA5oR4PPqhtAVdcBWwRYVd6g6cAXnIbRiIwc2EhPrTuKUBdSLvlEKyIP3GCf89fltvcZiP9MMFA1w==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-from": "^1.0.0", - "source-map": "^0.6.0" - } - }, - "node_modules/sprintf-js": { - "version": "1.0.3", - "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", - "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/stack-utils": { - "version": "2.0.6", - "resolved": "https://registry.npmjs.org/stack-utils/-/stack-utils-2.0.6.tgz", - "integrity": "sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "^2.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/string_decoder": { - "version": "1.3.0", - "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", - "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", - "license": "MIT", - "dependencies": { - "safe-buffer": "~5.2.0" - } - }, - "node_modules/string-length": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/string-length/-/string-length-4.0.2.tgz", - "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "char-regex": "^1.0.2", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/string-width": { - "version": "4.2.3", - "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-ansi": { - "version": "6.0.1", - "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^5.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-bom": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/strip-bom/-/strip-bom-4.0.0.tgz", - "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-final-newline": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", - "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/strip-json-comments": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", - "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/supports-color": { - "version": "7.2.0", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", - "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/supports-preserve-symlinks-flag": { - "version": "1.0.0", - "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", - "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/symbol-tree": { - "version": "3.2.4", - "resolved": "https://registry.npmjs.org/symbol-tree/-/symbol-tree-3.2.4.tgz", - "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", - "dev": true, - "license": "MIT" - }, - "node_modules/tapable": { - "version": "2.2.2", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/terser": { - "version": "5.43.1", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "@jridgewell/source-map": "^0.3.3", - "acorn": "^8.14.0", - "commander": "^2.20.0", - "source-map-support": "~0.5.20" - }, - "bin": { - "terser": "bin/terser" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/terser-webpack-plugin": { - "version": "5.3.14", - "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.14.tgz", - "integrity": "sha512-vkZjpUjb6OMS7dhV+tILUW6BhpDR7P2L/aQSAv+Uwk+m8KATX9EccViHTJR2qDtACKPIYndLGCyl3FMo+r2LMw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/trace-mapping": "^0.3.25", - "jest-worker": "^27.4.5", - "schema-utils": "^4.3.0", - "serialize-javascript": "^6.0.2", - "terser": "^5.31.1" - }, - "engines": { - "node": ">= 10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "^5.1.0" - }, - "peerDependenciesMeta": { - "@swc/core": { - "optional": true - }, - "esbuild": { - "optional": true - }, - "uglify-js": { - "optional": true - } - } - }, - "node_modules/terser-webpack-plugin/node_modules/@types/node": { - "version": "24.1.0", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~7.8.0" - } - }, - "node_modules/terser-webpack-plugin/node_modules/jest-worker": { - "version": "27.5.1", - "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-27.5.1.tgz", - "integrity": "sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "merge-stream": "^2.0.0", - "supports-color": "^8.0.0" - }, - "engines": { - "node": ">= 10.13.0" - } - }, - "node_modules/terser-webpack-plugin/node_modules/supports-color": { - "version": "8.1.1", - "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", - "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/supports-color?sponsor=1" - } - }, - "node_modules/terser-webpack-plugin/node_modules/undici-types": { - "version": "7.8.0", - "dev": true, - "license": "MIT" - }, - "node_modules/terser/node_modules/source-map-support": { - "version": "0.5.21", - "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", - "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-from": "^1.0.0", - "source-map": "^0.6.0" - } - }, - "node_modules/test-exclude": { - "version": "6.0.0", - "resolved": "https://registry.npmjs.org/test-exclude/-/test-exclude-6.0.0.tgz", - "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", - "dev": true, - "license": "ISC", - "dependencies": { - "@istanbuljs/schema": "^0.1.2", - "glob": "^7.1.4", - "minimatch": "^3.0.4" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/tmpl": { - "version": "1.0.5", - "resolved": "https://registry.npmjs.org/tmpl/-/tmpl-1.0.5.tgz", - "integrity": "sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/to-regex-range": { - "version": "5.0.1", - "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", - "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-number": "^7.0.0" - }, - "engines": { - "node": ">=8.0" - } - }, - "node_modules/tough-cookie": { - "version": "4.1.4", - "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.4.tgz", - "integrity": "sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "psl": "^1.1.33", - "punycode": "^2.1.1", - "universalify": "^0.2.0", - "url-parse": "^1.5.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/tr46": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/tr46/-/tr46-3.0.0.tgz", - "integrity": "sha512-l7FvfAHlcmulp8kr+flpQZmVwtu7nfRV7NZujtN0OqES8EL4O4e0qqzL0DC5gAvx/ZC/9lk6rhcUwYvkBnBnYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "punycode": "^2.1.1" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/ts-jest": { - "version": "29.4.0", - "dev": true, - "license": "MIT", - "dependencies": { - "bs-logger": "^0.2.6", - "ejs": "^3.1.10", - "fast-json-stable-stringify": "^2.1.0", - "json5": "^2.2.3", - "lodash.memoize": "^4.1.2", - "make-error": "^1.3.6", - "semver": "^7.7.2", - "type-fest": "^4.41.0", - "yargs-parser": "^21.1.1" - }, - "bin": { - "ts-jest": "cli.js" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || ^18.0.0 || >=20.0.0" - }, - "peerDependencies": { - "@babel/core": ">=7.0.0-beta.0 <8", - "@jest/transform": "^29.0.0 || ^30.0.0", - "@jest/types": "^29.0.0 || ^30.0.0", - "babel-jest": "^29.0.0 || ^30.0.0", - "jest": "^29.0.0 || ^30.0.0", - "jest-util": "^29.0.0 || ^30.0.0", - "typescript": ">=4.3 <6" - }, - "peerDependenciesMeta": { - "@babel/core": { - "optional": true - }, - "@jest/transform": { - "optional": true - }, - "@jest/types": { - "optional": true - }, - "babel-jest": { - "optional": true - }, - "esbuild": { - "optional": true - }, - "jest-util": { - "optional": true - } - } - }, - "node_modules/ts-loader": { - "version": "9.5.2", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.1.0", - "enhanced-resolve": "^5.0.0", - "micromatch": "^4.0.0", - "semver": "^7.3.4", - "source-map": "^0.7.4" - }, - "engines": { - "node": ">=12.0.0" - }, - "peerDependencies": { - "typescript": "*", - "webpack": "^5.0.0" - } - }, - "node_modules/ts-loader/node_modules/source-map": { - "version": "0.7.6", - "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.7.6.tgz", - "integrity": "sha512-i5uvt8C3ikiWeNZSVZNWcfZPItFQOsYTUAOkcUPGd8DqDy1uOUikjt5dG+uRlwyvR108Fb9DOd4GvXfT0N2/uQ==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">= 12" - } - }, - "node_modules/type-detect": { - "version": "4.0.8", - "resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz", - "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/type-fest": { - "version": "4.41.0", - "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-4.41.0.tgz", - "integrity": "sha512-TeTSQ6H5YHvpqVwBRcnLDCBnDOHWYu7IvGbHT6N8AOymcr9PJGjc1GTtiWZTYg0NCgYwvnYWEkVChQAr9bjfwA==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=16" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/typescript": { - "version": "5.7.3", - "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.7.3.tgz", - "integrity": "sha512-84MVSjMEHP+FQRPy3pX9sTVV/INIex71s9TL2Gm5FG/WG1SqXeKyZ0k7/blY/4FdOzI12CBy1vGc4og/eus0fw==", - "dev": true, - "license": "Apache-2.0", - "bin": { - "tsc": "bin/tsc", - "tsserver": "bin/tsserver" - }, - "engines": { - "node": ">=14.17" - } - }, - "node_modules/undici-types": { - "version": "5.26.5", - "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz", - "integrity": "sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==", - "license": "MIT" - }, - "node_modules/universalify": { - "version": "0.2.0", - "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", - "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 4.0.0" - } - }, - "node_modules/update-browserslist-db": { - "version": "1.1.3", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/browserslist" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "MIT", - "dependencies": { - "escalade": "^3.2.0", - "picocolors": "^1.1.1" - }, - "bin": { - "update-browserslist-db": "cli.js" - }, - "peerDependencies": { - "browserslist": ">= 4.21.0" - } - }, - "node_modules/url-join": { - "version": "4.0.1", - "resolved": "https://registry.npmjs.org/url-join/-/url-join-4.0.1.tgz", - "integrity": "sha512-jk1+QP6ZJqyOiuEI9AEWQfju/nB2Pw466kbA0LEZljHwKeMgd9WrAEgEGxjPDD2+TNbbb37rTyhEfrCXfuKXnA==", - "license": "MIT" - }, - "node_modules/url-parse": { - "version": "1.5.10", - "resolved": "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz", - "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "querystringify": "^2.1.1", - "requires-port": "^1.0.0" - } - }, - "node_modules/v8-to-istanbul": { - "version": "9.3.0", - "resolved": "https://registry.npmjs.org/v8-to-istanbul/-/v8-to-istanbul-9.3.0.tgz", - "integrity": "sha512-kiGUalWN+rgBJ/1OHZsBtU4rXZOfj/7rKQxULKlIzwzQSvMJUUNgPwJEEh7gU6xEVxC0ahoOBvN2YI8GH6FNgA==", - "dev": true, - "license": "ISC", - "dependencies": { - "@jridgewell/trace-mapping": "^0.3.12", - "@types/istanbul-lib-coverage": "^2.0.1", - "convert-source-map": "^2.0.0" - }, - "engines": { - "node": ">=10.12.0" - } - }, - "node_modules/w3c-xmlserializer": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/w3c-xmlserializer/-/w3c-xmlserializer-4.0.0.tgz", - "integrity": "sha512-d+BFHzbiCx6zGfz0HyQ6Rg69w9k19nviJspaj4yNscGjrHu94sVP+aRm75yEbCh+r2/yR+7q6hux9LVtbuTGBw==", - "dev": true, - "license": "MIT", - "dependencies": { - "xml-name-validator": "^4.0.0" - }, - "engines": { - "node": ">=14" - } - }, - "node_modules/walker": { - "version": "1.0.8", - "resolved": "https://registry.npmjs.org/walker/-/walker-1.0.8.tgz", - "integrity": "sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "makeerror": "1.0.12" - } - }, - "node_modules/watchpack": { - "version": "2.4.4", - "dev": true, - "license": "MIT", - "dependencies": { - "glob-to-regexp": "^0.4.1", - "graceful-fs": "^4.1.2" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/webidl-conversions": { - "version": "7.0.0", - "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-7.0.0.tgz", - "integrity": "sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=12" - } - }, - "node_modules/webpack": { - "version": "5.100.2", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/eslint-scope": "^3.7.7", - "@types/estree": "^1.0.8", - "@types/json-schema": "^7.0.15", - "@webassemblyjs/ast": "^1.14.1", - "@webassemblyjs/wasm-edit": "^1.14.1", - "@webassemblyjs/wasm-parser": "^1.14.1", - "acorn": "^8.15.0", - "acorn-import-phases": "^1.0.3", - "browserslist": "^4.24.0", - "chrome-trace-event": "^1.0.2", - "enhanced-resolve": "^5.17.2", - "es-module-lexer": "^1.2.1", - "eslint-scope": "5.1.1", - "events": "^3.2.0", - "glob-to-regexp": "^0.4.1", - "graceful-fs": "^4.2.11", - "json-parse-even-better-errors": "^2.3.1", - "loader-runner": "^4.2.0", - "mime-types": "^2.1.27", - "neo-async": "^2.6.2", - "schema-utils": "^4.3.2", - "tapable": "^2.1.1", - "terser-webpack-plugin": "^5.3.11", - "watchpack": "^2.4.1", - "webpack-sources": "^3.3.3" - }, - "bin": { - "webpack": "bin/webpack.js" - }, - "engines": { - "node": ">=10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependenciesMeta": { - "webpack-cli": { - "optional": true - } - } - }, - "node_modules/webpack-sources": { - "version": "3.3.3", - "resolved": "https://registry.npmjs.org/webpack-sources/-/webpack-sources-3.3.3.tgz", - "integrity": "sha512-yd1RBzSGanHkitROoPFd6qsrxt+oFhg/129YzheDGqeustzX0vTZJZsSsQjVQC4yzBQ56K55XU8gaNCtIzOnTg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/whatwg-encoding": { - "version": "2.0.0", - "resolved": "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-2.0.0.tgz", - "integrity": "sha512-p41ogyeMUrw3jWclHWTQg1k05DSVXPLcVxRTYsXUk+ZooOCZLcoYgPZ/HL/D/N+uQPOtcp1me1WhBEaX02mhWg==", - "dev": true, - "license": "MIT", - "dependencies": { - "iconv-lite": "0.6.3" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/whatwg-mimetype": { - "version": "3.0.0", - "resolved": "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-3.0.0.tgz", - "integrity": "sha512-nt+N2dzIutVRxARx1nghPKGv1xHikU7HKdfafKkLNLindmPU/ch3U31NOCGGA/dmPcmb1VlofO0vnKAcsm0o/Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=12" - } - }, - "node_modules/whatwg-url": { - "version": "11.0.0", - "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-11.0.0.tgz", - "integrity": "sha512-RKT8HExMpoYx4igMiVMY83lN6UeITKJlBQ+vR/8ZJ8OCdSiN3RwCq+9gH0+Xzj0+5IrM6i4j/6LuvzbZIQgEcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "tr46": "^3.0.0", - "webidl-conversions": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/which": { - "version": "2.0.2", - "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/wrap-ansi": { - "version": "7.0.0", - "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", - "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/wrap-ansi?sponsor=1" - } - }, - "node_modules/wrappy": { - "version": "1.0.2", - "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", - "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/write-file-atomic": { - "version": "4.0.2", - "resolved": "https://registry.npmjs.org/write-file-atomic/-/write-file-atomic-4.0.2.tgz", - "integrity": "sha512-7KxauUdBmSdWnmpaGFg+ppNjKF8uNLry8LyzjauQDOVONfFLNKrKvQOxZ/VuTIcS/gge/YNahf5RIIQWTSarlg==", - "dev": true, - "license": "ISC", - "dependencies": { - "imurmurhash": "^0.1.4", - "signal-exit": "^3.0.7" - }, - "engines": { - "node": "^12.13.0 || ^14.15.0 || >=16.0.0" - } - }, - "node_modules/ws": { - "version": "8.18.3", - "resolved": "https://registry.npmjs.org/ws/-/ws-8.18.3.tgz", - "integrity": "sha512-PEIGCY5tSlUt50cqyMXfCzX+oOPqN0vuGqWzbcJ2xvnkzkq46oOpz7dQaTDBdfICb4N14+GARUDw2XV2N4tvzg==", - "engines": { - "node": ">=10.0.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": ">=5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/xml-name-validator": { - "version": "4.0.0", - "resolved": "https://registry.npmjs.org/xml-name-validator/-/xml-name-validator-4.0.0.tgz", - "integrity": "sha512-ICP2e+jsHvAj2E2lIHxa5tjXRlKDJo4IdvPvCXbXQGdzSfmSpNVyIKMvoZHjDY9DP0zV17iI85o90vRFXNccRw==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">=12" - } - }, - "node_modules/xmlchars": { - "version": "2.2.0", - "resolved": "https://registry.npmjs.org/xmlchars/-/xmlchars-2.2.0.tgz", - "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", - "dev": true, - "license": "MIT" - }, - "node_modules/y18n": { - "version": "5.0.8", - "resolved": "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz", - "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=10" - } - }, - "node_modules/yallist": { - "version": "3.1.1", - "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz", - "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", - "dev": true, - "license": "ISC" - }, - "node_modules/yargs": { - "version": "17.7.2", - "resolved": "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz", - "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "cliui": "^8.0.1", - "escalade": "^3.1.1", - "get-caller-file": "^2.0.5", - "require-directory": "^2.1.1", - "string-width": "^4.2.3", - "y18n": "^5.0.5", - "yargs-parser": "^21.1.1" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/yargs-parser": { - "version": "21.1.1", - "resolved": "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz", - "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=12" - } - }, - "node_modules/yocto-queue": { - "version": "0.1.0", - "resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz", - "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - } - } -} From d161c8c40ee7ed1aa492f1c73d2339c4a00476cb Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Wed, 28 Jan 2026 11:12:12 -0700 Subject: [PATCH 20/21] use global logger --- src/datastream/datastream-client.test.ts | 3 +- src/datastream/datastream-client.ts | 145 ++++++++---------- ...lient.test.ts => websocket-client.test.ts} | 9 +- .../{client.ts => websocket-client.ts} | 103 +++---------- 4 files changed, 92 insertions(+), 168 deletions(-) rename src/datastream/{client.test.ts => websocket-client.test.ts} (94%) rename src/datastream/{client.ts => websocket-client.ts} (80%) diff --git a/src/datastream/datastream-client.test.ts b/src/datastream/datastream-client.test.ts index 1feb447b..214aa7b4 100644 --- a/src/datastream/datastream-client.test.ts +++ b/src/datastream/datastream-client.test.ts @@ -4,8 +4,9 @@ import { DataStreamClientOptions, } from './datastream-client'; import { LocalCache } from '../cache/local'; -import { DatastreamWSClient, Logger } from './client'; +import { DatastreamWSClient } from './websocket-client'; import { DataStreamResp, EntityType, MessageType } from './types'; +import { Logger } from '../logger'; import * as Schematic from '../api/types'; // Mock DatastreamWSClient diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts index a015d20d..81df00cf 100644 --- a/src/datastream/datastream-client.ts +++ b/src/datastream/datastream-client.ts @@ -1,8 +1,9 @@ import { EventEmitter } from 'events'; import * as Schematic from '../api/types'; -import { DatastreamWSClient, Logger } from './client'; +import { DatastreamWSClient } from './websocket-client'; import { DataStreamResp, DataStreamReq, EntityType, MessageType } from './types'; import { RulesEngineClient } from '../rules-engine'; +import { Logger } from '../logger'; // Import cache providers from the cache module import type { CacheProvider } from '../cache/types'; @@ -36,7 +37,7 @@ export interface DataStreamClientOptions { /** Base URL for the API (will be converted to WebSocket URL) */ baseURL?: string; /** Logger for debug/info/error messages */ - logger?: Logger; + logger: Logger; /** Cache TTL in milliseconds (default: 5 minutes) */ cacheTTL?: number; /** Redis configuration for all cache providers (if not provided, uses memory cache) */ @@ -76,7 +77,7 @@ const MAX_CACHE_TTL = 30 * 24 * 60 * 60 * 1000; // 30 days (matches Go maxCacheT export class DataStreamClient extends EventEmitter { private readonly apiKey: string; private readonly baseURL?: string; - private readonly logger?: Logger; + private readonly logger: Logger; private readonly cacheTTL: number; // Cache providers @@ -186,14 +187,14 @@ export class DataStreamClient extends EventEmitter { // Initialize rules engine first try { await this.rulesEngine.initialize(); - this.log('debug', 'Rules engine initialized successfully'); + this.logger.debug('Rules engine initialized successfully'); } catch (error) { - this.log('warn', `Failed to initialize rules engine: ${error}`); + this.logger.warn(`Failed to initialize rules engine: ${error}`); } // In replicator mode, we don't establish WebSocket connections if (this.replicatorMode) { - this.log('info', 'Replicator mode enabled - skipping WebSocket connection'); + this.logger.info('Replicator mode enabled - skipping WebSocket connection'); if (this.replicatorHealthURL) { this.startReplicatorHealthCheck(); } @@ -204,15 +205,15 @@ export class DataStreamClient extends EventEmitter { throw new Error('BaseURL is required when not in replicator mode'); } - this.log('info', 'Starting DataStream client'); + this.logger.info('Starting DataStream client'); // Create WebSocket client this.wsClient = new DatastreamWSClient({ url: this.baseURL, apiKey: this.apiKey, + logger: this.logger, messageHandler: this.handleMessage.bind(this), connectionReadyHandler: this.handleConnectionReady.bind(this), - logger: this.logger, }); // Set up event handlers @@ -260,7 +261,7 @@ export class DataStreamClient extends EventEmitter { // Check cache first for any of the keys const cached = await this.getCompanyFromCache(keys); if (cached) { - this.log('debug', `Company found in cache for keys: ${JSON.stringify(keys)}`); + this.logger.debug(`Company found in cache for keys: ${JSON.stringify(keys)}`); return cached; } @@ -328,7 +329,7 @@ export class DataStreamClient extends EventEmitter { // Check cache first for any of the keys const cached = await this.getUserFromCache(keys); if (cached) { - this.log('debug', `User found in cache for keys: ${JSON.stringify(keys)}`); + this.logger.debug(`User found in cache for keys: ${JSON.stringify(keys)}`); return cached; } @@ -394,12 +395,12 @@ export class DataStreamClient extends EventEmitter { */ public async getFlag(flagKey: string): Promise { const cacheKey = this.flagCacheKey(flagKey); - this.log('debug', `Retrieving flag from cache: ${flagKey} (cache key: ${cacheKey})`); + this.logger.debug(`Retrieving flag from cache: ${flagKey} (cache key: ${cacheKey})`); try { const result = await this.flagsCacheProvider.get(cacheKey); return result || null; } catch (error) { - this.log('warn', `Failed to retrieve flag from cache: ${error}`); + this.logger.warn(`Failed to retrieve flag from cache: ${error}`); return null; } } @@ -472,11 +473,11 @@ export class DataStreamClient extends EventEmitter { // Try to get cached data first if (needsCompany) { cachedCompany = await this.getCompanyFromCache(evalCtx.company!); - this.log('debug', `Company ${cachedCompany ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.company)}`); + this.logger.debug(`Company ${cachedCompany ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.company)}`); } if (needsUser) { cachedUser = await this.getUserFromCache(evalCtx.user!); - this.log('debug', `User ${cachedUser ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.user)}`); + this.logger.debug(`User ${cachedUser ? 'found in cache' : 'not found in cache'} for keys: ${JSON.stringify(evalCtx.user)}`); } // Handle replicator mode behavior @@ -488,7 +489,7 @@ export class DataStreamClient extends EventEmitter { // Non-replicator mode: if we have all cached data we need, use it if ((!needsCompany || cachedCompany) && (!needsUser || cachedUser)) { - this.log('debug', `All required resources found in cache for flag ${flagKey} evaluation`); + this.logger.debug(`All required resources found in cache for flag ${flagKey} evaluation`); return this.evaluateFlag(flag, cachedCompany, cachedUser); } @@ -504,9 +505,9 @@ export class DataStreamClient extends EventEmitter { if (needsCompany) { if (cachedCompany) { company = cachedCompany; - this.log('debug', `Using cached company data for keys: ${JSON.stringify(evalCtx.company)}`); + this.logger.debug(`Using cached company data for keys: ${JSON.stringify(evalCtx.company)}`); } else { - this.log('debug', `Fetching company from datastream for keys: ${JSON.stringify(evalCtx.company)}`); + this.logger.debug(`Fetching company from datastream for keys: ${JSON.stringify(evalCtx.company)}`); company = await this.getCompany(evalCtx.company!); } } @@ -514,9 +515,9 @@ export class DataStreamClient extends EventEmitter { if (needsUser) { if (cachedUser) { user = cachedUser; - this.log('debug', `Using cached user data for keys: ${JSON.stringify(evalCtx.user)}`); + this.logger.debug(`Using cached user data for keys: ${JSON.stringify(evalCtx.user)}`); } else { - this.log('debug', `Fetching user from datastream for keys: ${JSON.stringify(evalCtx.user)}`); + this.logger.debug(`Fetching user from datastream for keys: ${JSON.stringify(evalCtx.user)}`); user = await this.getUser(evalCtx.user!); } } @@ -554,7 +555,7 @@ export class DataStreamClient extends EventEmitter { * Close gracefully closes the datastream client */ public close(): void { - this.log('info', 'Closing DataStream client'); + this.logger.info('Closing DataStream client'); // Stop replicator health checks if (this.replicatorHealthInterval) { @@ -571,7 +572,7 @@ export class DataStreamClient extends EventEmitter { this.wsClient = undefined; } - this.log('info', 'DataStream client closed'); + this.logger.info('DataStream client closed'); } /** @@ -626,7 +627,7 @@ export class DataStreamClient extends EventEmitter { } } } catch (error) { - this.log('debug', `Failed to fetch replicator cache version: ${error}`); + this.logger.debug(`Failed to fetch replicator cache version: ${error}`); } } @@ -637,7 +638,7 @@ export class DataStreamClient extends EventEmitter { * handleMessage processes incoming datastream messages */ private async handleMessage(ctx: any, message: DataStreamResp): Promise { - this.log('debug', `Processing datastream message: EntityType=${message.entity_type}, MessageType=${message.message_type}`); + this.logger.debug(`Processing datastream message: EntityType=${message.entity_type}, MessageType=${message.message_type}`); try { if (message.message_type === MessageType.ERROR) { @@ -661,10 +662,10 @@ export class DataStreamClient extends EventEmitter { await this.handleFlagMessage(message); break; default: - this.log('warn', `Unknown entity type in datastream message: ${message.entity_type}`); + this.logger.warn(`Unknown entity type in datastream message: ${message.entity_type}`); } } catch (error) { - this.log('error', `Error processing datastream message: ${error}`); + this.logger.error(`Error processing datastream message: ${error}`); this.emit('error', error); } } @@ -687,7 +688,7 @@ export class DataStreamClient extends EventEmitter { try { await this.companyCacheProvider.delete(cacheKey); } catch (error) { - this.log('warn', `Failed to delete company from cache: ${error}`); + this.logger.warn(`Failed to delete company from cache: ${error}`); } } } @@ -719,7 +720,7 @@ export class DataStreamClient extends EventEmitter { try { await this.userCacheProvider.delete(cacheKey); } catch (error) { - this.log('warn', `Failed to delete user from cache: ${error}`); + this.logger.warn(`Failed to delete user from cache: ${error}`); } } } @@ -733,7 +734,7 @@ export class DataStreamClient extends EventEmitter { try { await this.userCacheProvider.set(cacheKey, user, this.cacheTTL); } catch (error) { - this.log('warn', `Failed to cache user: ${error}`); + this.logger.warn(`Failed to cache user: ${error}`); } } } @@ -749,7 +750,7 @@ export class DataStreamClient extends EventEmitter { const flags = message.data as Schematic.RulesengineFlag[]; if (!Array.isArray(flags)) { - this.log('warn', 'Expected flags array in bulk flags message'); + this.logger.warn('Expected flags array in bulk flags message'); return; } @@ -761,7 +762,7 @@ export class DataStreamClient extends EventEmitter { await this.flagsCacheProvider.set(cacheKey, flag); cacheKeys.push(cacheKey); } catch (error) { - this.log('warn', `Failed to cache flag: ${error}`); + this.logger.warn(`Failed to cache flag: ${error}`); } } } @@ -771,7 +772,7 @@ export class DataStreamClient extends EventEmitter { try { await this.flagsCacheProvider.deleteMissing(cacheKeys); } catch (error) { - this.log('warn', `Failed to delete missing flags: ${error}`); + this.logger.warn(`Failed to delete missing flags: ${error}`); } } @@ -802,11 +803,11 @@ export class DataStreamClient extends EventEmitter { await this.flagsCacheProvider.set(cacheKey, flag); break; default: - this.log('warn', `Unhandled message type for flag: ${message.message_type}`); + this.logger.warn(`Unhandled message type for flag: ${message.message_type}`); break; } } catch (error) { - this.log('warn', `Failed to update flag cache: ${error}`); + this.logger.warn(`Failed to update flag cache: ${error}`); } // Notify pending flag request @@ -831,27 +832,27 @@ export class DataStreamClient extends EventEmitter { this.notifyPendingUserRequests(errorData.keys, null); break; default: - this.log('warn', `Received error for unsupported entity type: ${errorData.entity_type}`); + this.logger.warn(`Received error for unsupported entity type: ${errorData.entity_type}`); } } // Log the error but don't emit error event - just continue processing like Go implementation const errorMessage = errorData?.error || 'Unknown datastream error'; - this.log('warn', `DataStream error received: ${errorMessage}`); + this.logger.warn(`DataStream error received: ${errorMessage}`); } /** * handleConnectionReady is called when the WebSocket connection is ready */ private async handleConnectionReady(ctx: any): Promise { - this.log('info', 'DataStream connection is ready'); + this.logger.info('DataStream connection is ready'); // Request initial flag data try { await this.getAllFlags(); - this.log('debug', 'Requested initial flag data'); + this.logger.debug('Requested initial flag data'); } catch (error) { - this.log('error', `Failed to request initial flag data: ${error}`); + this.logger.error(`Failed to request initial flag data: ${error}`); throw error; } } @@ -864,7 +865,7 @@ export class DataStreamClient extends EventEmitter { throw new Error('DataStream client is not connected'); } - this.log('debug', `Sending datastream request: EntityType=${request.entity_type}, Keys=${JSON.stringify(request.keys)}`); + this.logger.debug(`Sending datastream request: EntityType=${request.entity_type}, Keys=${JSON.stringify(request.keys)}`); // Package the message like the Go implementation const packagedMessage = { @@ -886,7 +887,7 @@ export class DataStreamClient extends EventEmitter { return company; } } catch (error) { - this.log('warn', `Failed to retrieve company from cache: ${error}`); + this.logger.warn(`Failed to retrieve company from cache: ${error}`); } } return null; @@ -904,7 +905,7 @@ export class DataStreamClient extends EventEmitter { return user; } } catch (error) { - this.log('warn', `Failed to retrieve user from cache: ${error}`); + this.logger.warn(`Failed to retrieve user from cache: ${error}`); } } return null; @@ -923,7 +924,7 @@ export class DataStreamClient extends EventEmitter { try { await this.companyCacheProvider.set(cacheKey, company, this.cacheTTL); } catch (error) { - this.log('warn', `Failed to cache company for key '${cacheKey}': ${error}`); + this.logger.warn(`Failed to cache company for key '${cacheKey}': ${error}`); } } } @@ -959,7 +960,7 @@ export class DataStreamClient extends EventEmitter { try { handler(company); } catch (error) { - this.log('error', `Error in company request handler: ${error}`); + this.logger.error(`Error in company request handler: ${error}`); } }); } @@ -979,7 +980,7 @@ export class DataStreamClient extends EventEmitter { try { handler(user); } catch (error) { - this.log('error', `Error in user request handler: ${error}`); + this.logger.error(`Error in user request handler: ${error}`); } }); } @@ -1032,7 +1033,7 @@ export class DataStreamClient extends EventEmitter { try { handler(null); } catch (error) { - this.log('error', `Error clearing company request: ${error}`); + this.logger.error(`Error clearing company request: ${error}`); } }); } @@ -1044,7 +1045,7 @@ export class DataStreamClient extends EventEmitter { try { handler(null); } catch (error) { - this.log('error', `Error clearing user request: ${error}`); + this.logger.error(`Error clearing user request: ${error}`); } }); } @@ -1055,7 +1056,7 @@ export class DataStreamClient extends EventEmitter { try { this.pendingFlagRequest(false); } catch (error) { - this.log('error', `Error clearing flag request: ${error}`); + this.logger.error(`Error clearing flag request: ${error}`); } this.pendingFlagRequest = undefined; } @@ -1069,7 +1070,7 @@ export class DataStreamClient extends EventEmitter { return; } - this.log('info', `Starting replicator health check with URL: ${this.replicatorHealthURL}, interval: ${this.replicatorHealthCheck}ms`); + this.logger.info(`Starting replicator health check with URL: ${this.replicatorHealthURL}, interval: ${this.replicatorHealthCheck}ms`); // Initial health check this.checkReplicatorHealth(); @@ -1108,24 +1109,24 @@ export class DataStreamClient extends EventEmitter { if (newCacheVersion && newCacheVersion !== this.replicatorCacheVersion) { const oldVersion = this.replicatorCacheVersion; this.replicatorCacheVersion = newCacheVersion; - this.log('info', `Cache version changed from ${oldVersion || '(null)'} to ${newCacheVersion}`); + this.logger.info(`Cache version changed from ${oldVersion || '(null)'} to ${newCacheVersion}`); } // Log state changes if (this.replicatorReady && !wasReady) { - this.log('info', 'External replicator is now ready'); + this.logger.info('External replicator is now ready'); this.emit('replicator-health-changed', true); } else if (!this.replicatorReady && wasReady) { - this.log('info', 'External replicator is no longer ready'); + this.logger.info('External replicator is no longer ready'); this.emit('replicator-health-changed', false); } } catch (error) { if (this.replicatorReady) { this.replicatorReady = false; - this.log('info', 'External replicator is no longer ready'); + this.logger.info('External replicator is no longer ready'); this.emit('replicator-health-changed', false); } - this.log('debug', `Replicator health check failed: ${error}`); + this.logger.debug(`Replicator health check failed: ${error}`); } } @@ -1140,7 +1141,7 @@ export class DataStreamClient extends EventEmitter { const cacheKey = `${CACHE_KEY_PREFIX_FLAGS}:${versionKey}:${key.toLowerCase()}`; - this.log('debug', `Generated flag cache key - flag: ${key}, mode: ${this.replicatorMode ? 'replicator' : 'datastream'}, version: ${versionKey}, cacheKey: ${cacheKey}`); + this.logger.debug(`Generated flag cache key - flag: ${key}, mode: ${this.replicatorMode ? 'replicator' : 'datastream'}, version: ${versionKey}, cacheKey: ${cacheKey}`); return cacheKey; } @@ -1198,7 +1199,7 @@ export class DataStreamClient extends EventEmitter { try { // Use rules engine if initialized if (this.rulesEngine.isInitialized()) { - this.log('debug', `Evaluating flag with rules engine: ${JSON.stringify({ flagId: flag.id, flagRules: flag.rules?.length || 0, companyId: company?.id, userId: user?.id })}`); + this.logger.debug(`Evaluating flag with rules engine: ${JSON.stringify({ flagId: flag.id, flagRules: flag.rules?.length || 0, companyId: company?.id, userId: user?.id })}`); // Sanitize flag data for WASM - ensure no null values in required arrays const sanitizedFlag = this.sanitizeForWasm(flag); @@ -1211,7 +1212,7 @@ export class DataStreamClient extends EventEmitter { const sanitizedUser = user ? this.sanitizeForWasm(user) : null; const result = await this.rulesEngine.checkFlag(sanitizedFlag, sanitizedCompany, sanitizedUser); - this.log('debug', `Rules engine evaluation result: ${JSON.stringify(result)}`); + this.logger.debug(`Rules engine evaluation result: ${JSON.stringify(result)}`); return { flagKey: flag.key, value: result.value ?? flag.defaultValue, @@ -1223,7 +1224,7 @@ export class DataStreamClient extends EventEmitter { }; } else { // Fallback to default value if rules engine not available - this.log('warn', 'Rules engine not initialized, using default flag value'); + this.logger.warn('Rules engine not initialized, using default flag value'); return { flagKey: flag.key, value: flag.defaultValue, @@ -1234,7 +1235,7 @@ export class DataStreamClient extends EventEmitter { }; } } catch (error) { - this.log('error', `Rules engine evaluation failed: ${error}`); + this.logger.error(`Rules engine evaluation failed: ${error}`); // Fallback to default value on error return { flagKey: flag.key, @@ -1256,35 +1257,9 @@ export class DataStreamClient extends EventEmitter { return this.rulesEngine.getVersionKey(); } } catch (error) { - this.log('warn', `Failed to get rules engine version key: ${error}`); + this.logger.warn(`Failed to get rules engine version key: ${error}`); } // Fallback to '1' if rules engine is not available or fails return '1'; } - - /** - * log helper function that safely logs messages - */ - private log(level: 'debug' | 'info' | 'warn' | 'error', msg: string): void { - if (!this.logger) { - return; - } - - const ctx = {}; - - switch (level) { - case 'debug': - this.logger.debug(ctx, msg); - break; - case 'info': - this.logger.info(ctx, msg); - break; - case 'warn': - this.logger.warn(ctx, msg); - break; - case 'error': - this.logger.error(ctx, msg); - break; - } - } } \ No newline at end of file diff --git a/src/datastream/client.test.ts b/src/datastream/websocket-client.test.ts similarity index 94% rename from src/datastream/client.test.ts rename to src/datastream/websocket-client.test.ts index 177e9b96..f860fcb2 100644 --- a/src/datastream/client.test.ts +++ b/src/datastream/websocket-client.test.ts @@ -1,5 +1,6 @@ -import { DatastreamWSClient, Logger, MessageHandlerFunc, ConnectionReadyHandlerFunc } from './client'; -import { DataStreamResp, EntityType, Action } from './types'; +import { DatastreamWSClient, MessageHandlerFunc, ConnectionReadyHandlerFunc } from './websocket-client'; +import { DataStreamResp } from './types'; +import { Logger } from '../logger'; // Mock logger implementation class MockLogger implements Logger { @@ -58,6 +59,7 @@ describe('DatastreamWSClient', () => { url: '', apiKey: 'test-key', messageHandler: mockMessageHandler, + logger: mockLogger, }); }).toThrow('URL is required'); }); @@ -68,6 +70,7 @@ describe('DatastreamWSClient', () => { url: 'wss://example.com', apiKey: '', messageHandler: mockMessageHandler, + logger: mockLogger, }); }).toThrow('ApiKey is required'); }); @@ -78,6 +81,7 @@ describe('DatastreamWSClient', () => { url: 'wss://example.com', apiKey: 'test-key', messageHandler: undefined as any, + logger: mockLogger, }); }).toThrow('MessageHandler is required'); }); @@ -125,6 +129,7 @@ describe('DatastreamWSClient', () => { url: 'wss://example.com', apiKey: 'test-key', messageHandler: mockMessageHandler, + logger: mockLogger, }); // Defaults are applied internally - we verify by successful construction diff --git a/src/datastream/client.ts b/src/datastream/websocket-client.ts similarity index 80% rename from src/datastream/client.ts rename to src/datastream/websocket-client.ts index af776f47..3308b571 100644 --- a/src/datastream/client.ts +++ b/src/datastream/websocket-client.ts @@ -3,6 +3,7 @@ import { EventEmitter } from 'events'; import { DataStreamResp } from './types'; +import { Logger } from '../logger'; // Dynamic imports to avoid webpack issues const createWebSocket = () => { @@ -32,16 +33,6 @@ const MAX_RECONNECT_ATTEMPTS = 10; const MIN_RECONNECT_DELAY = 1 * 1000; // 1 second const MAX_RECONNECT_DELAY = 30 * 1000; // 30 seconds -/** - * Logger interface for logging datastream events - */ -export interface Logger { - debug(ctx: any, message: string, ...args: any[]): void; - info(ctx: any, message: string, ...args: any[]): void; - warn(ctx: any, message: string, ...args: any[]): void; - error(ctx: any, message: string, ...args: any[]): void; -} - /** * MessageHandlerFunc is a function type for handling incoming datastream messages * Expects parsed DataStreamResp messages @@ -66,7 +57,7 @@ export interface ClientOptions { /** Handler called when connection is ready */ connectionReadyHandler?: ConnectionReadyHandlerFunc; /** Logger for debug/info/error messages */ - logger?: Logger; + logger: Logger; /** Maximum number of reconnection attempts */ maxReconnectAttempts?: number; /** Minimum delay between reconnection attempts */ @@ -121,7 +112,7 @@ export class DatastreamWSClient extends EventEmitter { // Configuration private readonly url: any; private readonly headers: Record; - private readonly logger?: Logger; + private readonly logger: Logger; private readonly messageHandler: MessageHandlerFunc; private readonly connectionReadyHandler?: ConnectionReadyHandlerFunc; private readonly maxReconnectAttempts: number; @@ -242,7 +233,7 @@ export class DatastreamWSClient extends EventEmitter { * Close gracefully closes the WebSocket connection */ public close(): void { - this.log('info', 'Closing WebSocket client'); + this.logger.info('Closing WebSocket connection'); this.shouldReconnect = false; this.setReady(false); @@ -268,7 +259,6 @@ export class DatastreamWSClient extends EventEmitter { this.ws = undefined; } - this.log('info', 'WebSocket client closed'); } /** @@ -279,7 +269,6 @@ export class DatastreamWSClient extends EventEmitter { while (this.shouldReconnect) { try { const ws = await this.connect(); - this.log('info', 'Connected to WebSocket'); this.reconnectAttempts = 0; this.ws = ws; @@ -290,12 +279,11 @@ export class DatastreamWSClient extends EventEmitter { // Call connection ready handler if provided if (this.connectionReadyHandler) { - this.log('debug', 'Calling connection ready handler'); try { await this.connectionReadyHandler(this.ctx); - this.log('debug', 'Connection ready handler completed successfully'); + this.logger.debug('Connection ready handler completed successfully'); } catch (err) { - this.log('error', `Connection ready handler failed: ${err}`); + this.logger.error(`Connection ready handler failed: ${err}`); this.setConnected(false); this.setReady(false); ws.close(); @@ -305,7 +293,7 @@ export class DatastreamWSClient extends EventEmitter { // Mark as ready only after successful initialization this.setReady(true); - this.log('info', 'Datastream client is ready'); + this.logger.debug('WebSocket client is ready'); // Start ping/pong mechanism this.startPingPong(); @@ -313,13 +301,13 @@ export class DatastreamWSClient extends EventEmitter { // Wait for connection to close or error await new Promise((resolve) => { const onClose = () => { - this.log('info', 'WebSocket connection closed'); + this.logger.info('WebSocket connection closed'); this.cleanup(); resolve(); }; const onError = (error: Error) => { - this.log('error', `WebSocket error: ${error.message}`); + this.logger.error(`WebSocket error: ${error.message}`); this.emit('error', error); this.cleanup(); resolve(); @@ -333,22 +321,23 @@ export class DatastreamWSClient extends EventEmitter { break; } - this.log('info', 'Reconnecting to WebSocket...'); } catch (err) { - this.log('error', `Failed to connect to WebSocket: ${err}`); this.reconnectAttempts++; this.setConnected(false); this.setReady(false); + const error = err instanceof Error ? err.message : String(err); + this.logger.warn(`WebSocket connection failed: ${error}, attempt ${this.reconnectAttempts}/${this.maxReconnectAttempts}`); + if (this.reconnectAttempts >= this.maxReconnectAttempts) { - this.log('error', 'Max reconnection attempts reached'); + this.logger.error('Max reconnection attempts reached'); this.emit('error', new Error('Max reconnection attempts reached')); break; } const delay = this.calculateBackoffDelay(this.reconnectAttempts); - this.log('info', `Retrying WebSocket connection in ${delay}ms (attempt ${this.reconnectAttempts}/${this.maxReconnectAttempts})`); + this.logger.debug(`Waiting ${delay}ms before reconnecting...`); await new Promise(resolve => { this.reconnectTimeout = setTimeout(resolve, delay); @@ -356,7 +345,6 @@ export class DatastreamWSClient extends EventEmitter { } } } catch (err) { - this.log('error', `Fatal error in connectAndRead: ${err}`); this.emit('error', err); } } @@ -366,7 +354,7 @@ export class DatastreamWSClient extends EventEmitter { */ private connect(): Promise { return new Promise((resolve, reject) => { - this.log('debug', `Attempting to dial WebSocket URL: ${this.url.toString()}`); + this.logger.debug(`Connecting to WebSocket: ${this.url.toString()}`); const WebSocketClass = createWebSocket(); const ws = new WebSocketClass(this.url.toString(), { @@ -381,13 +369,11 @@ export class DatastreamWSClient extends EventEmitter { ws.on('open', () => { clearTimeout(timeout); - this.log('info', `Successfully established WebSocket connection to ${this.url.toString()}`); resolve(ws); }); ws.on('error', (error: Error) => { clearTimeout(timeout); - this.log('error', `Failed to dial WebSocket: ${error.message}`); reject(error); }); }); @@ -406,12 +392,10 @@ export class DatastreamWSClient extends EventEmitter { }); ws.on('close', (code: number, reason: Buffer) => { - this.log('debug', `WebSocket closed with code ${code}: ${reason.toString()}`); this.handleClose(code); }); ws.on('error', (error: Error) => { - this.log('error', `WebSocket error: ${error.message}`); this.handleError(error); }); } @@ -421,7 +405,6 @@ export class DatastreamWSClient extends EventEmitter { */ private async handleMessage(data: any): Promise { try { - this.log('debug', 'Waiting for WebSocket message...'); let messageStr: string; if (Buffer.isBuffer(data)) { @@ -437,24 +420,18 @@ export class DatastreamWSClient extends EventEmitter { try { message = JSON.parse(messageStr); } catch (err) { - this.log('error', `Failed to parse datastream message: ${err}, raw data: ${messageStr}`); this.emit('error', new Error(`Failed to parse datastream message: ${err}`)); return; } - this.log('debug', `Parsed message - EntityType: ${message.entity_type}, MessageType: ${message.message_type}, DataLength: ${JSON.stringify(message.data).length}`); // Handle the parsed message using the provided handler - this.log('debug', 'Calling message handler...'); try { await this.messageHandler(this.ctx, message); - this.log('debug', 'Message handler completed successfully'); } catch (err) { - this.log('error', `Message handler error: ${err}`); this.emit('error', new Error(`Message handler error: ${err}`)); } } catch (err) { - this.log('error', `Error in handleMessage: ${err}`); this.emit('error', err); } } @@ -463,26 +440,17 @@ export class DatastreamWSClient extends EventEmitter { * handleClose processes WebSocket close events */ private handleClose(code: number): void { - this.log('debug', `Processing WebSocket close with code: ${code}`); + this.logger.info(`WebSocket connection closed with code ${code}`); this.setConnected(false); this.setReady(false); this.cleanup(); - - // Normal closure codes that shouldn't trigger reconnection - if (code === 1000 || code === 1001) { - this.log('debug', `Normal WebSocket close detected: ${code}`); - return; - } - - // Trigger reconnection for other close codes - this.log('debug', `Unexpected WebSocket close: ${code}, will attempt reconnection`); } /** * handleError processes WebSocket error events */ private handleError(error: Error): void { - this.log('debug', `Processing WebSocket error: ${error.message}`); + this.logger.error(`WebSocket error: ${error.message}`); this.setConnected(false); this.setReady(false); this.cleanup(); @@ -492,6 +460,7 @@ export class DatastreamWSClient extends EventEmitter { * startPingPong initiates the ping/pong keepalive mechanism */ private startPingPong(): void { + this.logger.debug('Starting ping/pong keepalive mechanism'); this.pingInterval = setInterval(() => { this.sendPing(); }, PING_PERIOD); @@ -502,15 +471,13 @@ export class DatastreamWSClient extends EventEmitter { */ private sendPing(): void { if (!this.ws) { - this.log('error', 'No connection available for ping'); return; } - this.log('debug', 'Sending ping'); // Set pong timeout this.pongTimeout = setTimeout(() => { - this.log('error', 'Pong timeout - connection may be dead'); + this.logger.warn('Pong timeout - closing connection'); this.setConnected(false); if (this.ws) { this.ws.close(); @@ -520,7 +487,7 @@ export class DatastreamWSClient extends EventEmitter { try { this.ws.ping(); } catch (err) { - this.log('error', `Failed to send ping: ${err}`); + this.logger.error(`Failed to send ping: ${err}`); this.setConnected(false); } } @@ -529,7 +496,7 @@ export class DatastreamWSClient extends EventEmitter { * handlePong handles pong responses from the server */ private handlePong(): void { - this.log('debug', 'Received pong'); + this.logger.debug('Received pong from server'); if (this.pongTimeout) { clearTimeout(this.pongTimeout); this.pongTimeout = undefined; @@ -562,6 +529,7 @@ export class DatastreamWSClient extends EventEmitter { // Emit connection state change events if (wasConnected !== connected) { + this.logger.debug(`Connection state changed: ${connected}`); if (connected) { this.emit('connected'); } else { @@ -579,6 +547,7 @@ export class DatastreamWSClient extends EventEmitter { // Emit ready state change events if (wasReady !== ready) { + this.logger.debug(`Ready state changed: ${ready}`); if (ready) { this.emit('ready'); } else { @@ -600,30 +569,4 @@ export class DatastreamWSClient extends EventEmitter { this.pongTimeout = undefined; } } - - /** - * log helper function that safely logs messages - */ - private log(level: 'debug' | 'info' | 'warn' | 'error', msg: string): void { - if (!this.logger) { - return; - } - - const ctx = this.ctx || {}; - - switch (level) { - case 'debug': - this.logger.debug(ctx, msg); - break; - case 'info': - this.logger.info(ctx, msg); - break; - case 'warn': - this.logger.warn(ctx, msg); - break; - case 'error': - this.logger.error(ctx, msg); - break; - } - } } \ No newline at end of file From a0828cfc5480d8242343ad2d76ce956fecd55e8e Mon Sep 17 00:00:00 2001 From: Christopher Brady Date: Wed, 28 Jan 2026 11:28:27 -0700 Subject: [PATCH 21/21] when deleting missing keys allow for more specific pattern --- src/cache/local.ts | 2 +- src/cache/redis.ts | 7 +++++-- src/cache/types.ts | 2 +- src/datastream/datastream-client.ts | 3 ++- 4 files changed, 9 insertions(+), 5 deletions(-) diff --git a/src/cache/local.ts b/src/cache/local.ts index b8428d74..a31d3e54 100644 --- a/src/cache/local.ts +++ b/src/cache/local.ts @@ -79,7 +79,7 @@ class LocalCache implements CacheProvider { } } - async deleteMissing(keysToKeep: string[]): Promise { + async deleteMissing(keysToKeep: string[], _?: { scanPattern?: string }): Promise { const keysToKeepSet = new Set(keysToKeep); for (const [key, item] of this.cache) { if (!keysToKeepSet.has(key)) { diff --git a/src/cache/redis.ts b/src/cache/redis.ts index 2b810ad5..26709549 100644 --- a/src/cache/redis.ts +++ b/src/cache/redis.ts @@ -133,7 +133,7 @@ export class RedisCacheProvider implements CacheProvider { await this.client.del(fullKey); } - async deleteMissing(keysToKeep: string[]): Promise { + async deleteMissing(keysToKeep: string[], options?: { scanPattern?: string }): Promise { await this.initPromise; if (!this.isConnected || !this.client) { @@ -141,7 +141,10 @@ export class RedisCacheProvider implements CacheProvider { } // Get all keys with our prefix using SCAN (non-blocking) - const pattern = this.keyPrefix + '*'; + // Allow more specific pattern to reduce keys scanned (e.g., 'flag:*' to only scan flag keys) + const pattern = options?.scanPattern + ? this.keyPrefix + options.scanPattern + : this.keyPrefix + '*'; const fullKeysToKeep = new Set(keysToKeep.map(k => this.getFullKey(k))); const keysToDelete: string[] = []; const batchSize = 1000; diff --git a/src/cache/types.ts b/src/cache/types.ts index 9abfab13..2410d484 100644 --- a/src/cache/types.ts +++ b/src/cache/types.ts @@ -9,7 +9,7 @@ export interface CacheProvider { /** Delete a value from cache */ delete(key: string): Promise; /** Delete all keys not in the keysToKeep array (optional, for bulk operations) */ - deleteMissing?(keysToKeep: string[]): Promise; + deleteMissing?(keysToKeep: string[], options?: { scanPattern?: string }): Promise; } export interface CacheOptions { diff --git a/src/datastream/datastream-client.ts b/src/datastream/datastream-client.ts index 81df00cf..43fad387 100644 --- a/src/datastream/datastream-client.ts +++ b/src/datastream/datastream-client.ts @@ -770,7 +770,8 @@ export class DataStreamClient extends EventEmitter { // Delete flags not in the response if (this.flagsCacheProvider.deleteMissing) { try { - await this.flagsCacheProvider.deleteMissing(cacheKeys); + // Only scan flag keys (flags:*) for better performance + await this.flagsCacheProvider.deleteMissing(cacheKeys, { scanPattern: 'flags:*' }); } catch (error) { this.logger.warn(`Failed to delete missing flags: ${error}`); }