diff --git a/packages/cache/src/cli/cliEntrypoint.ts b/packages/cache/src/cli/cliEntrypoint.ts index 9851573f4..3f1b92a14 100644 --- a/packages/cache/src/cli/cliEntrypoint.ts +++ b/packages/cache/src/cli/cliEntrypoint.ts @@ -34,9 +34,10 @@ export const cliEntrypoint = async () => { .addHelpText('afterAll', `\n${footer}\n`) .parse(process.argv) - let walletSetupDir = program.args[0] - if (!walletSetupDir) { - walletSetupDir = path.join(process.cwd(), 'test', WALLET_SETUP_DIR_NAME) + let walletSetupDir = path.join(process.cwd(), 'test', WALLET_SETUP_DIR_NAME) + + if (program.args[0]) { + walletSetupDir = path.join(process.cwd(), program.args[0]) } const flags: CliFlags = program.opts() @@ -47,7 +48,14 @@ export const cliEntrypoint = async () => { if (flags.debug) { console.log('[DEBUG] Running with the following options:') - console.log({ cacheDir: walletSetupDir, ...flags, headless: Boolean(process.env.HEADLESS) ?? false }, '\n') + console.log( + { + cacheDir: walletSetupDir, + ...flags, + headless: Boolean(process.env.HEADLESS) ?? false + }, + '\n' + ) } if (os.platform() === 'win32') { @@ -62,10 +70,15 @@ export const cliEntrypoint = async () => { process.exit(1) } - const compiledWalletSetupDirPath = await compileWalletSetupFunctions(walletSetupDir, flags.debug) + console.log(chalk.greenBright('πŸš€ Building the cache for wallet setup functions... πŸš€\n')) + + const { outDir: compiledWalletSetupDirPath, setupFunctionHashes } = await compileWalletSetupFunctions( + walletSetupDir, + flags.debug + ) // TODO: We should be using `prepareExtension` function from the wallet itself! - await createCache(compiledWalletSetupDirPath, prepareExtension, flags.force) + await createCache(compiledWalletSetupDirPath, setupFunctionHashes, prepareExtension, flags.force) if (!flags.debug) { await rimraf(compiledWalletSetupDirPath) diff --git a/packages/cache/src/cli/compileWalletSetupFunctions.ts b/packages/cache/src/cli/compileWalletSetupFunctions.ts index 45b00ab79..8e03de207 100644 --- a/packages/cache/src/cli/compileWalletSetupFunctions.ts +++ b/packages/cache/src/cli/compileWalletSetupFunctions.ts @@ -1,18 +1,25 @@ import path from 'node:path' +import fs from 'fs-extra' import { glob } from 'glob' import { build } from 'tsup' + import { ensureCacheDirExists } from '../ensureCacheDirExists' +import buildWalletSetupFunction from '../utils/buildWalletSetupFunction' +import { extractWalletSetupFunction } from '../utils/extractWalletSetupFunction' +import { getWalletSetupFuncHash } from '../utils/getWalletSetupFuncHash' import { FIXES_BANNER } from './compilationFixes' -const OUT_DIR_NAME = 'wallet-setup-dist' +const OUT_DIR_NAME = '.wallet-setup-dist' const createGlobPattern = (walletSetupDir: string) => path.join(walletSetupDir, '**', '*.setup.{ts,js,mjs}') export async function compileWalletSetupFunctions(walletSetupDir: string, debug: boolean) { const outDir = path.join(ensureCacheDirExists(), OUT_DIR_NAME) + fs.ensureDirSync(outDir) + const globPattern = createGlobPattern(walletSetupDir) - const fileList = await glob(globPattern) + const fileList = (await glob(globPattern)).sort() if (debug) { console.log('[DEBUG] Found the following wallet setup files:') @@ -51,5 +58,16 @@ export async function compileWalletSetupFunctions(walletSetupDir: string, debug: } }) - return outDir + const setupFunctionHashes = await Promise.all( + fileList.map(async (filePath) => { + const sourceCode = fs.readFileSync(filePath, 'utf8') + const functionString = extractWalletSetupFunction(sourceCode) + + const rawFunctionBuild = buildWalletSetupFunction(functionString) + + return getWalletSetupFuncHash(rawFunctionBuild) + }) + ) + + return { outDir, setupFunctionHashes } } diff --git a/packages/cache/src/createCache.ts b/packages/cache/src/createCache.ts index 90ee2b550..806d443ab 100644 --- a/packages/cache/src/createCache.ts +++ b/packages/cache/src/createCache.ts @@ -1,18 +1,20 @@ import { getUniqueWalletSetupFunctions } from './utils/getUniqueWalletSetupFunctions' import { triggerCacheCreation } from './utils/triggerCacheCreation' -export async function createCache(walletSetupDirPath: string, downloadExtension: () => Promise, force = false) { +export async function createCache( + walletSetupDirPath: string, + hashes: string[], + downloadExtension: () => Promise, + force = false +) { const setupFunctions = await getUniqueWalletSetupFunctions(walletSetupDirPath) - const cacheCreationPromises = await triggerCacheCreation(setupFunctions, downloadExtension, force) + const cacheCreationOutput = await triggerCacheCreation(setupFunctions, hashes, downloadExtension, force) - if (cacheCreationPromises.length === 0) { + if (cacheCreationOutput.length === 0) { console.log('No new setup functions to cache. Exiting...') return } - // TODO: This line has no unit test. Not sure how to do it. Look into it later. - await Promise.all(cacheCreationPromises) - console.log('All wallet setup functions are now cached!') } diff --git a/packages/cache/src/defineWalletSetup.ts b/packages/cache/src/defineWalletSetup.ts index e61f717f2..ef65a62c9 100644 --- a/packages/cache/src/defineWalletSetup.ts +++ b/packages/cache/src/defineWalletSetup.ts @@ -1,4 +1,5 @@ import type { BrowserContext, Page } from 'playwright-core' +import buildWalletSetupFunction from './utils/buildWalletSetupFunction' import { getWalletSetupFuncHash } from './utils/getWalletSetupFuncHash' // TODO: Should we export this type in the `release` package? @@ -15,7 +16,9 @@ export type WalletSetupFunction = (context: BrowserContext, walletPage: Page) => * @returns An object containing the hash of the function, the function itself, and the wallet password. The `testWithWalletSetup` function uses this object. */ export function defineWalletSetup(walletPassword: string, fn: WalletSetupFunction) { - const hash = getWalletSetupFuncHash(fn) + const walletSetupFunction = buildWalletSetupFunction(fn.toString()) + + const hash = getWalletSetupFuncHash(walletSetupFunction) return { hash, diff --git a/packages/cache/src/utils/buildWalletSetupFunction.ts b/packages/cache/src/utils/buildWalletSetupFunction.ts new file mode 100644 index 000000000..a577ee2f8 --- /dev/null +++ b/packages/cache/src/utils/buildWalletSetupFunction.ts @@ -0,0 +1,15 @@ +import { transformSync } from 'esbuild' + +export default function buildWalletSetupFunction(walletSetupFunctionString: string) { + const { code } = transformSync(walletSetupFunctionString, { + format: 'esm', + minifyWhitespace: true, + target: 'es2022', + drop: ['console', 'debugger'], + loader: 'ts', + logLevel: 'silent', + platform: 'node' + }) + + return code +} diff --git a/packages/cache/src/utils/extractWalletSetupFunction.ts b/packages/cache/src/utils/extractWalletSetupFunction.ts new file mode 100644 index 000000000..9ffcdee41 --- /dev/null +++ b/packages/cache/src/utils/extractWalletSetupFunction.ts @@ -0,0 +1,12 @@ +export function extractWalletSetupFunction(sourceCode: string): string { + const match = sourceCode.match( + /defineWalletSetup\s*\([^,]*,\s*(async\s*\([^)]*\)\s*=>\s*{(?:[^{}]*|{(?:[^{}]*|{[^{}]*})*})*})\s*\)/ + ) + + if (!match || !match[1]) { + console.log('Failed to extract defineWalletSetup callback from:', sourceCode) + throw new Error('Could not find defineWalletSetup callback') + } + + return match[1] +} diff --git a/packages/cache/src/utils/getWalletSetupFiles.ts b/packages/cache/src/utils/getWalletSetupFiles.ts index 41bd2f050..a703e6ab1 100644 --- a/packages/cache/src/utils/getWalletSetupFiles.ts +++ b/packages/cache/src/utils/getWalletSetupFiles.ts @@ -27,5 +27,5 @@ export async function getWalletSetupFiles(walletSetupDirPath: string) { ) } - return fileList + return fileList.sort() } diff --git a/packages/cache/src/utils/getWalletSetupFuncHash.ts b/packages/cache/src/utils/getWalletSetupFuncHash.ts index 7856d2b70..27038c2b8 100644 --- a/packages/cache/src/utils/getWalletSetupFuncHash.ts +++ b/packages/cache/src/utils/getWalletSetupFuncHash.ts @@ -1,26 +1,12 @@ import { createHash } from 'node:crypto' -import esbuild from 'esbuild' // Same length as the file part (first part before the `-`) of a Playwright Test ID. export const WALLET_SETUP_FUNC_HASH_LENGTH = 10 -// biome-ignore lint/suspicious/noExplicitAny: any type here is intentional -type AnyFunction = (...args: any) => Promise - -export function getWalletSetupFuncHash(walletSetupFunc: AnyFunction) { - // This transformation is necessary because a user could end up using a different execution engine than Playwright. - // Different execution engines -> different codes -> different hashes. - const { code } = esbuild.transformSync(walletSetupFunc.toString(), { - format: 'esm', - minifyWhitespace: true, - drop: ['console', 'debugger'], - loader: 'ts', - logLevel: 'silent' - }) - +export function getWalletSetupFuncHash(walletSetupString: string) { const hash = createHash('shake256', { outputLength: WALLET_SETUP_FUNC_HASH_LENGTH }) - return hash.update(code).digest('hex') + return hash.update(walletSetupString).digest('hex') } diff --git a/packages/cache/src/utils/triggerCacheCreation.ts b/packages/cache/src/utils/triggerCacheCreation.ts index 491f8643e..e8525a12c 100644 --- a/packages/cache/src/utils/triggerCacheCreation.ts +++ b/packages/cache/src/utils/triggerCacheCreation.ts @@ -1,52 +1,50 @@ import path from 'node:path' import fs from 'fs-extra' +import type { WalletSetupFunction } from '../defineWalletSetup' import { ensureCacheDirExists } from '../ensureCacheDirExists' import { createCacheForWalletSetupFunction } from './createCacheForWalletSetupFunction' -import { getUniqueWalletSetupFunctions } from './getUniqueWalletSetupFunctions' import { isDirEmpty } from './isDirEmpty' export async function triggerCacheCreation( - setupFunctions: Awaited>, + setupFunctions: Map, + hashes: string[], downloadExtension: () => Promise, force: boolean ) { const cacheDirPath = ensureCacheDirExists() const extensionPath = await downloadExtension() - const cacheCreationPromises = [] - - for (const [funcHash, { fileName, setupFunction }] of setupFunctions) { - const cachePath = path.join(cacheDirPath, funcHash) - const doesCacheDirExist = await fs.exists(cachePath) - const isCacheDirEmpty = await isDirEmpty(cachePath) + return await Promise.all( + Array.from(setupFunctions).map(async ([_, { fileName, setupFunction }], index) => { + if (!hashes[index]) { + throw new Error(`No hash found for ${fileName}`) + } - if (doesCacheDirExist) { - if (isCacheDirEmpty) { - // In case of incorrect Playwright setup, the cache dir will be empty. For now, we're just deleting it. - await fs.remove(cachePath) - } else { - if (!force) { - console.log(`Cache already exists for ${funcHash}. Skipping...`) - continue - } + const funcHash = hashes[index] - console.log(`Cache already exists for ${funcHash} but force flag is set. Deleting cache...`) - await fs.remove(cachePath) - } - } + const cachePath = path.join(cacheDirPath, funcHash || 'unknown') + const doesCacheDirExist = await fs.exists(cachePath) + const isCacheDirEmpty = await isDirEmpty(cachePath) - const fileNameWithCorrectExtension = fileName.replace(/\.(ts|js|mjs)$/, '.{ts,js,mjs}') - console.log(`Triggering cache creation for: ${funcHash} (${fileNameWithCorrectExtension})`) + if (doesCacheDirExist) { + if (isCacheDirEmpty) { + // In case of incorrect Playwright setup, the cache dir will be empty. For now, we're just deleting it. + await fs.remove(cachePath) + } else { + if (!force) { + console.log(`Cache already exists for ${funcHash}. Skipping...`) + return + } - // We're not inferring the return type here to make sure we don't accidentally await the function. - const createCachePromise: Promise = createCacheForWalletSetupFunction( - extensionPath, - cachePath, - setupFunction, - fileNameWithCorrectExtension - ) - cacheCreationPromises.push(createCachePromise) - } + console.log(`Cache already exists for ${funcHash} but force flag is set. Deleting cache...`) + await fs.remove(cachePath) + } + } - return cacheCreationPromises + const fileNameWithCorrectExtension = fileName.replace(/\.(ts|js|mjs)$/, '.{ts,js,mjs}') + console.log(`Triggering cache creation for: ${funcHash} (${fileNameWithCorrectExtension})`) + // We're not inferring the return type here to make sure we don't accidentally await the function. + return createCacheForWalletSetupFunction(extensionPath, cachePath, setupFunction, fileNameWithCorrectExtension) + }) + ) } diff --git a/packages/cache/test/createCache.test.ts b/packages/cache/test/createCache.test.ts index df903c530..43d4b5015 100644 --- a/packages/cache/test/createCache.test.ts +++ b/packages/cache/test/createCache.test.ts @@ -10,9 +10,20 @@ const ROOT_DIR = '/tmp' const setupFunctions = new Map() -setupFunctions.set('hash1', { fileName: path.join(ROOT_DIR, 'hash1'), setupFunction: vi.fn() }) -setupFunctions.set('hash2', { fileName: path.join(ROOT_DIR, 'hash2'), setupFunction: vi.fn() }) -setupFunctions.set('hash3', { fileName: path.join(ROOT_DIR, 'hash3'), setupFunction: vi.fn() }) +setupFunctions.set('hash1', { + fileName: path.join(ROOT_DIR, 'hash1'), + setupFunction: vi.fn() +}) +setupFunctions.set('hash2', { + fileName: path.join(ROOT_DIR, 'hash2'), + setupFunction: vi.fn() +}) +setupFunctions.set('hash3', { + fileName: path.join(ROOT_DIR, 'hash3'), + setupFunction: vi.fn() +}) + +const functionStrings = ['function1', 'function2', 'function3'] vi.mock('../src/utils/getUniqueWalletSetupFunctions', async () => { return { @@ -44,7 +55,7 @@ describe('createCache', () => { it('calls getUniqueWalletSetupFunctions with correct arguments', async () => { const getUniqueWalletSetupFunctionsSpy = vi.spyOn(GetUniqueWalletSetupFunctions, 'getUniqueWalletSetupFunctions') - await createCache(ROOT_DIR, vi.fn(), false) + await createCache(ROOT_DIR, functionStrings, vi.fn(), false) expect(getUniqueWalletSetupFunctionsSpy).toHaveBeenCalledOnce() expect(getUniqueWalletSetupFunctionsSpy).toHaveBeenCalledWith(ROOT_DIR) @@ -54,23 +65,23 @@ describe('createCache', () => { const triggerCacheCreationSpy = vi.spyOn(TriggerCacheCreation, 'triggerCacheCreation') const downloadExtension = vi.fn(async () => path.join(ROOT_DIR, 'extension')) - await createCache(ROOT_DIR, downloadExtension, false) + await createCache(ROOT_DIR, functionStrings, downloadExtension, false) expect(triggerCacheCreationSpy).toHaveBeenCalledOnce() - expect(triggerCacheCreationSpy).toHaveBeenCalledWith(setupFunctions, downloadExtension, false) + expect(triggerCacheCreationSpy).toHaveBeenCalledWith(setupFunctions, functionStrings, downloadExtension, false) }) it('does nothing if no setup functions need caching', async () => { vi.spyOn(TriggerCacheCreation, 'triggerCacheCreation').mockResolvedValueOnce([]) - await createCache(ROOT_DIR, vi.fn(), false) + await createCache(ROOT_DIR, functionStrings, vi.fn(), false) expect(consoleLogSpy).toHaveBeenCalledOnce() expect(consoleLogSpy).toHaveBeenCalledWith('No new setup functions to cache. Exiting...') }) it('console.logs at the end', async () => { - await createCache(ROOT_DIR, vi.fn(), false) + await createCache(ROOT_DIR, functionStrings, vi.fn(), false) expect(consoleLogSpy).toHaveBeenCalledOnce() expect(consoleLogSpy).toHaveBeenCalledWith('All wallet setup functions are now cached!') diff --git a/packages/cache/test/defineWalletSetup.test.ts b/packages/cache/test/defineWalletSetup.test.ts index c5ab033f0..b278d690c 100644 --- a/packages/cache/test/defineWalletSetup.test.ts +++ b/packages/cache/test/defineWalletSetup.test.ts @@ -1,5 +1,5 @@ import { describe, expect, it } from 'vitest' -import { defineWalletSetup } from '../src/defineWalletSetup' +import { defineWalletSetup } from '../src' const PASSWORD = 'Quack Quack! πŸ¦†' const EXPECTED_HASH = 'f9c5ea5bb2c3aac96ff4' diff --git a/packages/cache/test/utils/getWalletSetupFuncHash.test.ts b/packages/cache/test/utils/getWalletSetupFuncHash.test.ts index 7c2e9ecdf..df051ef69 100644 --- a/packages/cache/test/utils/getWalletSetupFuncHash.test.ts +++ b/packages/cache/test/utils/getWalletSetupFuncHash.test.ts @@ -1,11 +1,7 @@ import { describe, expect, it } from 'vitest' import { WALLET_SETUP_FUNC_HASH_LENGTH, getWalletSetupFuncHash } from '../../src/utils/getWalletSetupFuncHash' -const EXPECTED_HASH = 'b940c886be3c1a041ddd' - -const testFunction = async (name: string) => { - return `Hello ${name}!` -} +const EXPECTED_HASH = '117dc0b7e0dd758cfee3' describe('getWalletSetupFuncHash', () => { it('throws an error if esbuild transformation fails', async () => { @@ -14,16 +10,18 @@ describe('getWalletSetupFuncHash', () => { // biome-ignore lint/suspicious/noExplicitAny: any type here is intentional } as any - expect(() => getWalletSetupFuncHash(incorrectFunctionObject)).toThrowError('Transform failed with 1 error') + expect(() => getWalletSetupFuncHash(incorrectFunctionObject)).toThrowError( + 'The "data" argument must be of type string or an instance of Buffer, TypedArray, or DataView. Received an instance of Object' + ) }) it('returns hash', async () => { - const hash = getWalletSetupFuncHash(testFunction) + const hash = getWalletSetupFuncHash('test_test') expect(hash).toEqual(EXPECTED_HASH) }) it('returns hash of a correct length', async () => { - const hash = getWalletSetupFuncHash(testFunction) + const hash = getWalletSetupFuncHash('test_test2') // We multiply by 2 because the hash is in a hex format, i.e. each byte is represented by 2 characters. expect(hash.length).toEqual(2 * WALLET_SETUP_FUNC_HASH_LENGTH) diff --git a/packages/cache/test/utils/triggerCacheCreation.test.ts b/packages/cache/test/utils/triggerCacheCreation.test.ts index acd067ea3..b8f91c476 100644 --- a/packages/cache/test/utils/triggerCacheCreation.test.ts +++ b/packages/cache/test/utils/triggerCacheCreation.test.ts @@ -61,7 +61,10 @@ describe('triggerCacheCreation', () => { const setupFunctions = new Map() for (const hash of hashes) { - setupFunctions.set(hash, { fileName: path.join(ROOT_DIR, `${hash}.ts`), setupFunction: testSetupFunction }) + setupFunctions.set(hash, { + fileName: path.join(ROOT_DIR, `${hash}.ts`), + setupFunction: testSetupFunction + }) } return setupFunctions @@ -96,25 +99,26 @@ describe('triggerCacheCreation', () => { vol.reset() // Clear the in-memory file system after each test }) + const hashes = ['hash1', 'hash2'] + const setupFunctions = prepareSetupFunctions(hashes) + it('calls ensureCacheDirExists', async () => { const ensureCacheDirExistsSpy = vi.spyOn(EnsureCacheDirExists, 'ensureCacheDirExists') - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2']) - await triggerCacheCreation(setupFunctions, downloadExtension, false) + await triggerCacheCreation(setupFunctions, hashes, downloadExtension, false) expect(ensureCacheDirExistsSpy).toHaveBeenCalledOnce() }) it('calls passed downloadExtension function', async () => { - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2']) - await triggerCacheCreation(setupFunctions, downloadExtension, false) + const setupFunctions = prepareSetupFunctions(hashes) + await triggerCacheCreation(setupFunctions, hashes, downloadExtension, false) expect(downloadExtension).toHaveBeenCalledOnce() }) it('calls createCacheForWalletSetupFunction with correct arguments', async () => { - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2']) - await triggerCacheCreation(setupFunctions, downloadExtension, false) + await triggerCacheCreation(setupFunctions, hashes, downloadExtension, false) expect(createCacheForWalletSetupFunctionSpy).toHaveBeenCalledTimes(2) expectCreateCacheForWalletSetupFunction(1, setupFunctions, 'hash1') @@ -123,22 +127,19 @@ describe('triggerCacheCreation', () => { it('checks if cache already exists for each entry', async () => { const existsSpy = vi.spyOn(fsExtra, 'exists') - - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2']) - await triggerCacheCreation(setupFunctions, downloadExtension, false) + await triggerCacheCreation(setupFunctions, hashes, downloadExtension, false) expect(existsSpy).toHaveBeenCalledTimes(2) expect(existsSpy).toHaveBeenNthCalledWith(1, path.join(ROOT_DIR, 'hash1')) expect(existsSpy).toHaveBeenNthCalledWith(2, path.join(ROOT_DIR, 'hash2')) }) - it('returns an array of createCacheForWalletSetupFunction promises', async () => { - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2']) - const promises = await triggerCacheCreation(setupFunctions, downloadExtension, false) + it('returns an array of createCacheForWalletSetupFunction feedback', async () => { + const output = await triggerCacheCreation(setupFunctions, hashes, downloadExtension, false) - expect(promises).toHaveLength(2) - expect(promises[0]).toBeInstanceOf(Promise) - expect(promises[1]).toBeInstanceOf(Promise) + expect(output).toHaveLength(2) + expect(output[0]).toBe('Resolved Quack! πŸ¦†') + expect(output[1]).toBe('Resolved Quack! πŸ¦†') }) describe('when force flag is false', () => { @@ -148,9 +149,12 @@ describe('triggerCacheCreation', () => { // Creating cache for 2nd setup function. fs.mkdirSync(path.join(ROOT_DIR, 'hash2')) - const promises = await triggerCacheCreation(setupFunctions, downloadExtension, false) + const output = await triggerCacheCreation(setupFunctions, [...hashes, 'hash3'], downloadExtension, false) + + // @ts-ignore + const filterGeneratedCacheOutput = (output) => output === 'Resolved Quack! πŸ¦†' - expect(promises).toHaveLength(2) + expect(output.filter(filterGeneratedCacheOutput)).toHaveLength(2) expect(createCacheForWalletSetupFunctionSpy).toHaveBeenCalledTimes(2) expectCreateCacheForWalletSetupFunction(1, setupFunctions, 'hash1') expectCreateCacheForWalletSetupFunction(2, setupFunctions, 'hash3') @@ -159,30 +163,30 @@ describe('triggerCacheCreation', () => { describe('when force flag is true', () => { it('removes cache if it already exists for given setup function', async () => { - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2', 'hash3']) + const setupFunctions = prepareSetupFunctions([...hashes, 'hash3']) // Creating cache for 2nd setup function. const pathToExistingCache = path.join(ROOT_DIR, 'hash2') fs.mkdirSync(pathToExistingCache) - await triggerCacheCreation(setupFunctions, downloadExtension, true) + await triggerCacheCreation(setupFunctions, [...hashes, 'hash3'], downloadExtension, true) expect(fs.existsSync(pathToExistingCache)).toBe(false) }) it('calls createCacheForWalletSetupFunction for setup functions that were previously cached', async () => { - const setupFunctions = prepareSetupFunctions(['hash1', 'hash2', 'hash3']) + const setupFunctions = prepareSetupFunctions([...hashes, 'hash3']) // Creating cache for 2nd setup function. fs.mkdirSync(path.join(ROOT_DIR, 'hash2')) - const promises = await triggerCacheCreation(setupFunctions, downloadExtension, true) + const output = await triggerCacheCreation(setupFunctions, [...hashes, 'hash3'], downloadExtension, true) - expect(promises).toHaveLength(3) + expect(output).toHaveLength(3) expect(createCacheForWalletSetupFunctionSpy).toHaveBeenCalledTimes(3) expectCreateCacheForWalletSetupFunction(1, setupFunctions, 'hash1') - expectCreateCacheForWalletSetupFunction(2, setupFunctions, 'hash2') - expectCreateCacheForWalletSetupFunction(3, setupFunctions, 'hash3') + expectCreateCacheForWalletSetupFunction(2, setupFunctions, 'hash3') + expectCreateCacheForWalletSetupFunction(3, setupFunctions, 'hash2') }) }) }) diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml index aada3eba7..c3c03d640 100644 --- a/pnpm-lock.yaml +++ b/pnpm-lock.yaml @@ -49,16 +49,16 @@ importers: version: link:../packages/tsconfig typedoc: specifier: 0.25.8 - version: 0.25.8(typescript@5.3.3) + version: 0.25.8(typescript@5.6.3) typedoc-plugin-markdown: specifier: 4.0.1 - version: 4.0.1(typedoc@0.25.8(typescript@5.3.3)) + version: 4.0.1(typedoc@0.25.8(typescript@5.6.3)) typedoc-vitepress-theme: specifier: 1.0.0 - version: 1.0.0(typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.3.3))) + version: 1.0.0(typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.6.3))) vitepress: specifier: 1.1.4 - version: 1.1.4(@algolia/client-search@4.24.0)(@types/node@22.5.0)(axios@1.6.7)(postcss@8.4.41)(search-insights@2.17.0)(typescript@5.3.3) + version: 1.1.4(@algolia/client-search@4.24.0)(@types/node@22.9.1)(axios@1.7.7)(postcss@8.4.41)(search-insights@2.17.0)(typescript@5.6.3) examples/ethereum-wallet-mock: dependencies: @@ -234,11 +234,11 @@ importers: specifier: workspace:* version: link:../wallets/ethereum-wallet-mock '@synthetixio/synpress-cache': - specifier: 0.0.4 - version: 0.0.4(playwright-core@1.48.2)(postcss@8.4.41)(typescript@5.3.3) + specifier: workspace:* + version: link:../packages/cache '@synthetixio/synpress-core': - specifier: 0.0.4 - version: 0.0.4(@playwright/test@1.48.2) + specifier: workspace:* + version: link:../packages/core '@synthetixio/synpress-metamask': specifier: workspace:* version: link:../wallets/metamask @@ -263,7 +263,7 @@ importers: dependencies: '@depay/web3-client': specifier: 10.18.6 - version: 10.18.6(@depay/solana-web3.js@1.26.0)(@depay/web3-blockchains@9.7.5)(ethers@5.7.2) + version: 10.18.6(@depay/solana-web3.js@1.28.0)(@depay/web3-blockchains@9.7.5)(ethers@5.7.2) '@depay/web3-mock': specifier: 14.19.1 version: 14.19.1 @@ -278,7 +278,7 @@ importers: version: 0.0.4(@playwright/test@1.48.2) viem: specifier: 2.9.9 - version: 2.9.9(typescript@5.3.3)(zod@3.22.4) + version: 2.9.9(typescript@5.3.3)(zod@3.23.8) devDependencies: '@synthetixio/synpress-tsconfig': specifier: 0.0.4 @@ -288,7 +288,7 @@ importers: version: 20.11.17 '@vitest/coverage-v8': specifier: 1.2.2 - version: 1.2.2(vitest@1.2.2(@types/node@20.11.17)) + version: 1.2.2(vitest@2.1.5(@types/node@20.11.17)(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3))) cypress: specifier: 13.15.1 version: 13.15.1 @@ -425,8 +425,8 @@ packages: resolution: {integrity: sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==} engines: {node: '>=6.0.0'} - '@babel/code-frame@7.24.7': - resolution: {integrity: sha512-BcYH1CVJBO9tvyIZ2jVeXgSIMvGZ2FDRvDdOIVQyuklNKSsx+eppDEBq/g47Ayw+RqNFE+URvOShmf+f/qwAlA==} + '@babel/code-frame@7.26.2': + resolution: {integrity: sha512-RJlIHRueQgwWitWgF8OdFYGZX328Ax5BCemNGlqHfplnRT9ESi8JkFlvaVYbS+UubVY6dpv87Fs2u5M29iNFVQ==} engines: {node: '>=6.9.0'} '@babel/helper-string-parser@7.24.8': @@ -437,8 +437,8 @@ packages: resolution: {integrity: sha512-rR+PBcQ1SMQDDyF6X0wxtG8QyLCgUB0eRAGguqRLfkCA87l7yAP7ehq8SNj96OOGTO8OBV70KhuFYcIkHXOg0w==} engines: {node: '>=6.9.0'} - '@babel/highlight@7.24.7': - resolution: {integrity: sha512-EStJpq4OuY8xYfhGVXngigBJRWxftKX9ksiGDnmlY3o7B/V7KIAc9X4oiK87uPJSc/vs5L869bem5fhZa8caZw==} + '@babel/helper-validator-identifier@7.25.9': + resolution: {integrity: sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==} engines: {node: '>=6.9.0'} '@babel/parser@7.25.4': @@ -498,17 +498,20 @@ packages: cpu: [x64] os: [win32] - '@bundled-es-modules/cookie@2.0.0': - resolution: {integrity: sha512-Or6YHg/kamKHpxULAdSqhGqnWFneIXu1NKvvfBBzKGwpVsYuFIQ5aBPHDnnoR3ghW1nvSkALd+EF9iMtY7Vjxw==} + '@bundled-es-modules/cookie@2.0.1': + resolution: {integrity: sha512-8o+5fRPLNbjbdGRRmJj3h6Hh1AQJf2dk3qQ/5ZFb+PXkRNiSoMGGUKlsgLfrxneb72axVJyIYji64E2+nNfYyw==} '@bundled-es-modules/statuses@1.0.1': resolution: {integrity: sha512-yn7BklA5acgcBr+7w064fGV+SGIFySjCKpqjcWgBAIfrAkY+4GQTJJHQMeT3V/sgz23VTEVV8TtOmkvJAhFVfg==} - '@changesets/apply-release-plan@7.0.4': - resolution: {integrity: sha512-HLFwhKWayKinWAul0Vj+76jVx1Pc2v55MGPVjZ924Y/ROeSsBMFutv9heHmCUj48lJyRfOTJG5+ar+29FUky/A==} + '@bundled-es-modules/tough-cookie@0.1.6': + resolution: {integrity: sha512-dvMHbL464C0zI+Yqxbz6kZ5TOEp7GLW+pry/RWndAR8MJQAXZ2rPmIs8tziTZjeIyhSNZgZbCePtfSbdWqStJw==} + + '@changesets/apply-release-plan@7.0.5': + resolution: {integrity: sha512-1cWCk+ZshEkSVEZrm2fSj1Gz8sYvxgUL4Q78+1ZZqeqfuevPTPk033/yUZ3df8BKMohkqqHfzj0HOOrG0KtXTw==} - '@changesets/assemble-release-plan@6.0.3': - resolution: {integrity: sha512-bLNh9/Lgl1VwkjWZTq8JmRqH+hj7/Yzfz0jsQ/zJJ+FTmVqmqPj3szeKOri8O/hEM8JmHW019vh2gTO9iq5Cuw==} + '@changesets/assemble-release-plan@6.0.4': + resolution: {integrity: sha512-nqICnvmrwWj4w2x0fOhVj2QEGdlUuwVAwESrUo5HLzWMI1rE5SWfsr9ln+rDqWB6RQ2ZyaMZHUcU7/IRaUJS+Q==} '@changesets/changelog-git@0.2.0': resolution: {integrity: sha512-bHOx97iFI4OClIT35Lok3sJAwM31VbUM++gnMBV16fdbtBhgYu4dxsphBF/0AZZsyAHMrnM0yFcj5gZM1py6uQ==} @@ -517,38 +520,38 @@ packages: resolution: {integrity: sha512-iJ91xlvRnnrJnELTp4eJJEOPjgpF3NOh4qeQehM6Ugiz9gJPRZ2t+TsXun6E3AMN4hScZKjqVXl0TX+C7AB3ZQ==} hasBin: true - '@changesets/config@3.0.2': - resolution: {integrity: sha512-cdEhS4t8woKCX2M8AotcV2BOWnBp09sqICxKapgLHf9m5KdENpWjyrFNMjkLqGJtUys9U+w93OxWT0czorVDfw==} + '@changesets/config@3.0.3': + resolution: {integrity: sha512-vqgQZMyIcuIpw9nqFIpTSNyc/wgm/Lu1zKN5vECy74u95Qx/Wa9g27HdgO4NkVAaq+BGA8wUc/qvbvVNs93n6A==} '@changesets/errors@0.2.0': resolution: {integrity: sha512-6BLOQUscTpZeGljvyQXlWOItQyU71kCdGz7Pi8H8zdw6BI0g3m43iL4xKUVPWtG+qrrL9DTjpdn8eYuCQSRpow==} - '@changesets/get-dependents-graph@2.1.1': - resolution: {integrity: sha512-LRFjjvigBSzfnPU2n/AhFsuWR5DK++1x47aq6qZ8dzYsPtS/I5mNhIGAS68IAxh1xjO9BTtz55FwefhANZ+FCA==} + '@changesets/get-dependents-graph@2.1.2': + resolution: {integrity: sha512-sgcHRkiBY9i4zWYBwlVyAjEM9sAzs4wYVwJUdnbDLnVG3QwAaia1Mk5P8M7kraTOZN+vBET7n8KyB0YXCbFRLQ==} - '@changesets/get-release-plan@4.0.3': - resolution: {integrity: sha512-6PLgvOIwTSdJPTtpdcr3sLtGatT+Jr22+cQwEBJBy6wP0rjB4yJ9lv583J9fVpn1bfQlBkDa8JxbS2g/n9lIyA==} + '@changesets/get-release-plan@4.0.4': + resolution: {integrity: sha512-SicG/S67JmPTrdcc9Vpu0wSQt7IiuN0dc8iR5VScnnTVPfIaLvKmEGRvIaF0kcn8u5ZqLbormZNTO77bCEvyWw==} '@changesets/get-version-range-type@0.4.0': resolution: {integrity: sha512-hwawtob9DryoGTpixy1D3ZXbGgJu1Rhr+ySH2PvTLHvkZuQ7sRT4oQwMh0hbqZH1weAooedEjRsbrWcGLCeyVQ==} - '@changesets/git@3.0.0': - resolution: {integrity: sha512-vvhnZDHe2eiBNRFHEgMiGd2CT+164dfYyrJDhwwxTVD/OW0FUD6G7+4DIx1dNwkwjHyzisxGAU96q0sVNBns0w==} + '@changesets/git@3.0.1': + resolution: {integrity: sha512-pdgHcYBLCPcLd82aRcuO0kxCDbw/yISlOtkmwmE8Odo1L6hSiZrBOsRl84eYG7DRCab/iHnOkWqExqc4wxk2LQ==} - '@changesets/logger@0.1.0': - resolution: {integrity: sha512-pBrJm4CQm9VqFVwWnSqKEfsS2ESnwqwH+xR7jETxIErZcfd1u2zBSqrHbRHR7xjhSgep9x2PSKFKY//FAshA3g==} + '@changesets/logger@0.1.1': + resolution: {integrity: sha512-OQtR36ZlnuTxKqoW4Sv6x5YIhOmClRd5pWsjZsddYxpWs517R0HkyiefQPIytCVh4ZcC5x9XaG8KTdd5iRQUfg==} '@changesets/parse@0.4.0': resolution: {integrity: sha512-TS/9KG2CdGXS27S+QxbZXgr8uPsP4yNJYb4BC2/NeFUj80Rni3TeD2qwWmabymxmrLo7JEsytXH1FbpKTbvivw==} - '@changesets/pre@2.0.0': - resolution: {integrity: sha512-HLTNYX/A4jZxc+Sq8D1AMBsv+1qD6rmmJtjsCJa/9MSRybdxh0mjbTvE6JYZQ/ZiQ0mMlDOlGPXTm9KLTU3jyw==} + '@changesets/pre@2.0.1': + resolution: {integrity: sha512-vvBJ/If4jKM4tPz9JdY2kGOgWmCowUYOi5Ycv8dyLnEE8FgpYYUo1mgJZxcdtGGP3aG8rAQulGLyyXGSLkIMTQ==} - '@changesets/read@0.6.0': - resolution: {integrity: sha512-ZypqX8+/im1Fm98K4YcZtmLKgjs1kDQ5zHpc2U1qdtNBmZZfo/IBiG162RoP0CUF05tvp2y4IspH11PLnPxuuw==} + '@changesets/read@0.6.1': + resolution: {integrity: sha512-jYMbyXQk3nwP25nRzQQGa1nKLY0KfoOV7VLgwucI0bUO8t8ZLCr6LZmgjXsiKuRDc+5A6doKPr9w2d+FEJ55zQ==} - '@changesets/should-skip-package@0.1.0': - resolution: {integrity: sha512-FxG6Mhjw7yFStlSM7Z0Gmg3RiyQ98d/9VpQAZ3Fzr59dCOM9G6ZdYbjiSAt0XtFr9JR5U2tBaJWPjrkGGc618g==} + '@changesets/should-skip-package@0.1.1': + resolution: {integrity: sha512-H9LjLbF6mMHLtJIc/eHR9Na+MifJ3VxtgP/Y+XLn4BF7tDTEN1HNYtH6QMcjP1uxp9sjaFYmW8xqloaCi/ckTg==} '@changesets/types@4.1.0': resolution: {integrity: sha512-LDQvVDv5Kb50ny2s25Fhm3d9QSZimsoUGBsUioj6MC3qbMUCuC8GPIvk/M6IvXx3lYhAs0lwWUQLb+VIEUCECw==} @@ -556,8 +559,8 @@ packages: '@changesets/types@6.0.0': resolution: {integrity: sha512-b1UkfNulgKoWfqyHtzKS5fOZYSJO+77adgL7DLRDr+/7jhChN+QcHnbjiQVOz/U+Ts3PGNySq7diAItzDgugfQ==} - '@changesets/write@0.3.1': - resolution: {integrity: sha512-SyGtMXzH3qFqlHKcvFY2eX+6b0NGiFcNav8AFsYwy5l8hejOeoeTDemu5Yjmke2V5jpzY+pBvM0vCCQ3gdZpfw==} + '@changesets/write@0.3.2': + resolution: {integrity: sha512-kDxDrPNpUgsjDbWBvUo27PzKX4gqeKOlhibaOXDJA6kuBisGqNHv/HwGJrAu8U/dSf8ZEFIeHIPtvSlZI1kULw==} '@colors/colors@1.5.0': resolution: {integrity: sha512-ooWCrlZP11i8GImSjTHYHLkvFDP48nS4+204nGb1RiX/WXYHmJA2III9/e2DWVabCESdW7hBAEzHRqUn9OUVvQ==} @@ -577,6 +580,9 @@ packages: '@depay/solana-web3.js@1.26.0': resolution: {integrity: sha512-aAhDxfNGraE8VBwM5g/BhHnNCENlLSKDJ3yIh2EZd4mfmKM/4utv0cNUhTEytUAvvFoaMcOXXQ5U5sE1IMXFrQ==} + '@depay/solana-web3.js@1.28.0': + resolution: {integrity: sha512-E08PbTLKBUnBb8vUYx4q6Zy5lcQtlIIHxwfD7BamUy97RwpAhwckv0ZLD0XhxcJQBXjLlwHlLph31Qi3pxgszg==} + '@depay/web3-blockchains@9.4.4': resolution: {integrity: sha512-z/L7QjtGCavkNOt+gzZbg44aILazzjQKK+ZAniNCy+DeT1HRNbBC3HXAfprb6GNiBaZBk6rmsLf8o1GsYQMa8g==} engines: {node: '>=10'} @@ -1140,21 +1146,41 @@ packages: '@gitmoji/parser-opts@1.4.0': resolution: {integrity: sha512-zzmx/vtpdB/ijjUm7u9OzHNCXWKpSbzVEgVzOzhilMgoTBlUDyInZFUtiCTV+Wf4oCP9nxGa/kQGQFfN+XLH1g==} - '@inquirer/confirm@3.1.22': - resolution: {integrity: sha512-gsAKIOWBm2Q87CDfs9fEo7wJT3fwWIJfnDGMn9Qy74gBnNFOACDNfhUzovubbJjWnKLGBln7/NcSmZwj5DuEXg==} + '@inquirer/confirm@3.2.0': + resolution: {integrity: sha512-oOIwPs0Dvq5220Z8lGL/6LHRTEr9TgLHmiI99Rj1PJ1p1czTys+olrgBqZk4E2qC0YTzeHprxSQmoHioVdJ7Lw==} + engines: {node: '>=18'} + + '@inquirer/confirm@5.0.2': + resolution: {integrity: sha512-KJLUHOaKnNCYzwVbryj3TNBxyZIrr56fR5N45v6K9IPrbT6B7DcudBMfylkV1A8PUdJE15mybkEQyp2/ZUpxUA==} + engines: {node: '>=18'} + peerDependencies: + '@types/node': '>=18' + + '@inquirer/core@10.1.0': + resolution: {integrity: sha512-I+ETk2AL+yAVbvuKx5AJpQmoaWhpiTFOg/UJb7ZkMAK4blmtG8ATh5ct+T/8xNld0CZG/2UhtkdMwpgvld92XQ==} + engines: {node: '>=18'} + + '@inquirer/core@9.2.1': + resolution: {integrity: sha512-F2VBt7W/mwqEU4bL0RnHNZmC/OxzNx9cOYxHqnXX3MP6ruYvZUZAW9imgN9+h/uBT/oP8Gh888J2OZSbjSeWcg==} + engines: {node: '>=18'} + + '@inquirer/figures@1.0.8': + resolution: {integrity: sha512-tKd+jsmhq21AP1LhexC0pPwsCxEhGgAkg28byjJAd+xhmIs8LUX8JbUc3vBf3PhLxWiB5EvyBE5X7JSPAqMAqg==} engines: {node: '>=18'} - '@inquirer/core@9.0.10': - resolution: {integrity: sha512-TdESOKSVwf6+YWDz8GhS6nKscwzkIyakEzCLJ5Vh6O3Co2ClhCJ0A4MG909MUWfaWdpJm7DE45ii51/2Kat9tA==} + '@inquirer/type@1.5.5': + resolution: {integrity: sha512-MzICLu4yS7V8AA61sANROZ9vT1H3ooca5dSmI1FjZkzq7o/koMsRfQSzRtFo+F3Ao4Sf1C0bpLKejpKB/+j6MA==} engines: {node: '>=18'} - '@inquirer/figures@1.0.5': - resolution: {integrity: sha512-79hP/VWdZ2UVc9bFGJnoQ/lQMpL74mGgzSYX1xUqCVk7/v73vJCMw1VuyWN1jGkZ9B3z7THAbySqGbCNefcjfA==} + '@inquirer/type@2.0.0': + resolution: {integrity: sha512-XvJRx+2KR3YXyYtPUUy+qd9i7p+GO9Ko6VIIpWlBrpWwXDv8WLFeHTxz35CfQFUiBMLXlGHhGzys7lqit9gWag==} engines: {node: '>=18'} - '@inquirer/type@1.5.2': - resolution: {integrity: sha512-w9qFkumYDCNyDZmNQjf/n6qQuvQ4dMC3BJesY4oF+yr0CxR5vxujflAVeIcS6U336uzi9GM0kAfZlLrZ9UTkpA==} + '@inquirer/type@3.0.1': + resolution: {integrity: sha512-+ksJMIy92sOAiAccGpcKZUc3bYO07cADnscIxHBknEm3uNts3movSmBofc1908BNy5edKscxYeAdaX1NXkHS6A==} engines: {node: '>=18'} + peerDependencies: + '@types/node': '>=18' '@isaacs/cliui@8.0.2': resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==} @@ -1204,6 +1230,10 @@ packages: resolution: {integrity: sha512-8QC8JyKztvoGAdPgyZy49c9vSHHAZjHagwl4RY9E8carULk8ym3iTaiawrT1YoLF/qb449h48f71XDPgkUSOUg==} engines: {node: '>=18'} + '@mswjs/interceptors@0.37.1': + resolution: {integrity: sha512-SvE+tSpcX884RJrPCskXxoS965Ky/pYABDEhWW6oeSRhpUDLrS5nTvT5n1LLSDVDYvty4imVmXsy+3/ROVuknA==} + engines: {node: '>=18'} + '@noble/curves@1.2.0': resolution: {integrity: sha512-oYclrNgRaM9SsBUBVbb8M6DTV7ZHRTKugureoYEncY5c65HOmRzvSiTE3y5CYaPYJA/GVkrhXEoF0M3Ya9PMnw==} @@ -1292,81 +1322,171 @@ packages: cpu: [arm] os: [android] + '@rollup/rollup-android-arm-eabi@4.27.3': + resolution: {integrity: sha512-EzxVSkIvCFxUd4Mgm4xR9YXrcp976qVaHnqom/Tgm+vU79k4vV4eYTjmRvGfeoW8m9LVcsAy/lGjcgVegKEhLQ==} + cpu: [arm] + os: [android] + '@rollup/rollup-android-arm64@4.21.0': resolution: {integrity: sha512-a1sR2zSK1B4eYkiZu17ZUZhmUQcKjk2/j9Me2IDjk1GHW7LB5Z35LEzj9iJch6gtUfsnvZs1ZNyDW2oZSThrkA==} cpu: [arm64] os: [android] + '@rollup/rollup-android-arm64@4.27.3': + resolution: {integrity: sha512-LJc5pDf1wjlt9o/Giaw9Ofl+k/vLUaYsE2zeQGH85giX2F+wn/Cg8b3c5CDP3qmVmeO5NzwVUzQQxwZvC2eQKw==} + cpu: [arm64] + os: [android] + '@rollup/rollup-darwin-arm64@4.21.0': resolution: {integrity: sha512-zOnKWLgDld/svhKO5PD9ozmL6roy5OQ5T4ThvdYZLpiOhEGY+dp2NwUmxK0Ld91LrbjrvtNAE0ERBwjqhZTRAA==} cpu: [arm64] os: [darwin] + '@rollup/rollup-darwin-arm64@4.27.3': + resolution: {integrity: sha512-OuRysZ1Mt7wpWJ+aYKblVbJWtVn3Cy52h8nLuNSzTqSesYw1EuN6wKp5NW/4eSre3mp12gqFRXOKTcN3AI3LqA==} + cpu: [arm64] + os: [darwin] + '@rollup/rollup-darwin-x64@4.21.0': resolution: {integrity: sha512-7doS8br0xAkg48SKE2QNtMSFPFUlRdw9+votl27MvT46vo44ATBmdZdGysOevNELmZlfd+NEa0UYOA8f01WSrg==} cpu: [x64] os: [darwin] + '@rollup/rollup-darwin-x64@4.27.3': + resolution: {integrity: sha512-xW//zjJMlJs2sOrCmXdB4d0uiilZsOdlGQIC/jjmMWT47lkLLoB1nsNhPUcnoqyi5YR6I4h+FjBpILxbEy8JRg==} + cpu: [x64] + os: [darwin] + + '@rollup/rollup-freebsd-arm64@4.27.3': + resolution: {integrity: sha512-58E0tIcwZ+12nK1WiLzHOD8I0d0kdrY/+o7yFVPRHuVGY3twBwzwDdTIBGRxLmyjciMYl1B/U515GJy+yn46qw==} + cpu: [arm64] + os: [freebsd] + + '@rollup/rollup-freebsd-x64@4.27.3': + resolution: {integrity: sha512-78fohrpcVwTLxg1ZzBMlwEimoAJmY6B+5TsyAZ3Vok7YabRBUvjYTsRXPTjGEvv/mfgVBepbW28OlMEz4w8wGA==} + cpu: [x64] + os: [freebsd] + '@rollup/rollup-linux-arm-gnueabihf@4.21.0': resolution: {integrity: sha512-pWJsfQjNWNGsoCq53KjMtwdJDmh/6NubwQcz52aEwLEuvx08bzcy6tOUuawAOncPnxz/3siRtd8hiQ32G1y8VA==} cpu: [arm] os: [linux] + '@rollup/rollup-linux-arm-gnueabihf@4.27.3': + resolution: {integrity: sha512-h2Ay79YFXyQi+QZKo3ISZDyKaVD7uUvukEHTOft7kh00WF9mxAaxZsNs3o/eukbeKuH35jBvQqrT61fzKfAB/Q==} + cpu: [arm] + os: [linux] + '@rollup/rollup-linux-arm-musleabihf@4.21.0': resolution: {integrity: sha512-efRIANsz3UHZrnZXuEvxS9LoCOWMGD1rweciD6uJQIx2myN3a8Im1FafZBzh7zk1RJ6oKcR16dU3UPldaKd83w==} cpu: [arm] os: [linux] + '@rollup/rollup-linux-arm-musleabihf@4.27.3': + resolution: {integrity: sha512-Sv2GWmrJfRY57urktVLQ0VKZjNZGogVtASAgosDZ1aUB+ykPxSi3X1nWORL5Jk0sTIIwQiPH7iE3BMi9zGWfkg==} + cpu: [arm] + os: [linux] + '@rollup/rollup-linux-arm64-gnu@4.21.0': resolution: {integrity: sha512-ZrPhydkTVhyeGTW94WJ8pnl1uroqVHM3j3hjdquwAcWnmivjAwOYjTEAuEDeJvGX7xv3Z9GAvrBkEzCgHq9U1w==} cpu: [arm64] os: [linux] + '@rollup/rollup-linux-arm64-gnu@4.27.3': + resolution: {integrity: sha512-FPoJBLsPW2bDNWjSrwNuTPUt30VnfM8GPGRoLCYKZpPx0xiIEdFip3dH6CqgoT0RnoGXptaNziM0WlKgBc+OWQ==} + cpu: [arm64] + os: [linux] + '@rollup/rollup-linux-arm64-musl@4.21.0': resolution: {integrity: sha512-cfaupqd+UEFeURmqNP2eEvXqgbSox/LHOyN9/d2pSdV8xTrjdg3NgOFJCtc1vQ/jEke1qD0IejbBfxleBPHnPw==} cpu: [arm64] os: [linux] + '@rollup/rollup-linux-arm64-musl@4.27.3': + resolution: {integrity: sha512-TKxiOvBorYq4sUpA0JT+Fkh+l+G9DScnG5Dqx7wiiqVMiRSkzTclP35pE6eQQYjP4Gc8yEkJGea6rz4qyWhp3g==} + cpu: [arm64] + os: [linux] + '@rollup/rollup-linux-powerpc64le-gnu@4.21.0': resolution: {integrity: sha512-ZKPan1/RvAhrUylwBXC9t7B2hXdpb/ufeu22pG2psV7RN8roOfGurEghw1ySmX/CmDDHNTDDjY3lo9hRlgtaHg==} cpu: [ppc64] os: [linux] + '@rollup/rollup-linux-powerpc64le-gnu@4.27.3': + resolution: {integrity: sha512-v2M/mPvVUKVOKITa0oCFksnQQ/TqGrT+yD0184/cWHIu0LoIuYHwox0Pm3ccXEz8cEQDLk6FPKd1CCm+PlsISw==} + cpu: [ppc64] + os: [linux] + '@rollup/rollup-linux-riscv64-gnu@4.21.0': resolution: {integrity: sha512-H1eRaCwd5E8eS8leiS+o/NqMdljkcb1d6r2h4fKSsCXQilLKArq6WS7XBLDu80Yz+nMqHVFDquwcVrQmGr28rg==} cpu: [riscv64] os: [linux] + '@rollup/rollup-linux-riscv64-gnu@4.27.3': + resolution: {integrity: sha512-LdrI4Yocb1a/tFVkzmOE5WyYRgEBOyEhWYJe4gsDWDiwnjYKjNs7PS6SGlTDB7maOHF4kxevsuNBl2iOcj3b4A==} + cpu: [riscv64] + os: [linux] + '@rollup/rollup-linux-s390x-gnu@4.21.0': resolution: {integrity: sha512-zJ4hA+3b5tu8u7L58CCSI0A9N1vkfwPhWd/puGXwtZlsB5bTkwDNW/+JCU84+3QYmKpLi+XvHdmrlwUwDA6kqw==} cpu: [s390x] os: [linux] + '@rollup/rollup-linux-s390x-gnu@4.27.3': + resolution: {integrity: sha512-d4wVu6SXij/jyiwPvI6C4KxdGzuZOvJ6y9VfrcleHTwo68fl8vZC5ZYHsCVPUi4tndCfMlFniWgwonQ5CUpQcA==} + cpu: [s390x] + os: [linux] + '@rollup/rollup-linux-x64-gnu@4.21.0': resolution: {integrity: sha512-e2hrvElFIh6kW/UNBQK/kzqMNY5mO+67YtEh9OA65RM5IJXYTWiXjX6fjIiPaqOkBthYF1EqgiZ6OXKcQsM0hg==} cpu: [x64] os: [linux] + '@rollup/rollup-linux-x64-gnu@4.27.3': + resolution: {integrity: sha512-/6bn6pp1fsCGEY5n3yajmzZQAh+mW4QPItbiWxs69zskBzJuheb3tNynEjL+mKOsUSFK11X4LYF2BwwXnzWleA==} + cpu: [x64] + os: [linux] + '@rollup/rollup-linux-x64-musl@4.21.0': resolution: {integrity: sha512-1vvmgDdUSebVGXWX2lIcgRebqfQSff0hMEkLJyakQ9JQUbLDkEaMsPTLOmyccyC6IJ/l3FZuJbmrBw/u0A0uCQ==} cpu: [x64] os: [linux] + '@rollup/rollup-linux-x64-musl@4.27.3': + resolution: {integrity: sha512-nBXOfJds8OzUT1qUreT/en3eyOXd2EH5b0wr2bVB5999qHdGKkzGzIyKYaKj02lXk6wpN71ltLIaQpu58YFBoQ==} + cpu: [x64] + os: [linux] + '@rollup/rollup-win32-arm64-msvc@4.21.0': resolution: {integrity: sha512-s5oFkZ/hFcrlAyBTONFY1TWndfyre1wOMwU+6KCpm/iatybvrRgmZVM+vCFwxmC5ZhdlgfE0N4XorsDpi7/4XQ==} cpu: [arm64] os: [win32] + '@rollup/rollup-win32-arm64-msvc@4.27.3': + resolution: {integrity: sha512-ogfbEVQgIZOz5WPWXF2HVb6En+kWzScuxJo/WdQTqEgeyGkaa2ui5sQav9Zkr7bnNCLK48uxmmK0TySm22eiuw==} + cpu: [arm64] + os: [win32] + '@rollup/rollup-win32-ia32-msvc@4.21.0': resolution: {integrity: sha512-G9+TEqRnAA6nbpqyUqgTiopmnfgnMkR3kMukFBDsiyy23LZvUCpiUwjTRx6ezYCjJODXrh52rBR9oXvm+Fp5wg==} cpu: [ia32] os: [win32] + '@rollup/rollup-win32-ia32-msvc@4.27.3': + resolution: {integrity: sha512-ecE36ZBMLINqiTtSNQ1vzWc5pXLQHlf/oqGp/bSbi7iedcjcNb6QbCBNG73Euyy2C+l/fn8qKWEwxr+0SSfs3w==} + cpu: [ia32] + os: [win32] + '@rollup/rollup-win32-x64-msvc@4.21.0': resolution: {integrity: sha512-2jsCDZwtQvRhejHLfZ1JY6w6kEuEtfF9nzYsZxzSlNVKDX+DpsDJ+Rbjkm74nvg2rdx0gwBS+IMdvwJuq3S9pQ==} cpu: [x64] os: [win32] + '@rollup/rollup-win32-x64-msvc@4.27.3': + resolution: {integrity: sha512-vliZLrDmYKyaUoMzEbMTg2JkerfBjn03KmAw9CykO0Zzkzoyd7o3iZNam/TpyWNjNT+Cz2iO3P9Smv2wgrR+Eg==} + cpu: [x64] + os: [win32] + '@scure/base@1.1.7': resolution: {integrity: sha512-PPNYBslrLNNUQ/Yad37MHYsNQtK67EhWb6WtSvNLLPo7SdVZgkUjD6Dg+5On7zNwmskf8OX7I7Nx5oN+MIWE0g==} @@ -1405,12 +1525,6 @@ packages: resolution: {integrity: sha512-TV7t8GKYaJWsn00tFDqBw8+Uqmr8A0fRU1tvTQhyZzGv0sJCGRQL3JGMI3ucuKo3XIZdUP+Lx7/gh2t3lewy7g==} engines: {node: '>=14.16'} - '@synthetixio/synpress-cache@0.0.4': - resolution: {integrity: sha512-G1qF0XgMyRDjQjTYFniuFvPaY6+AuSvcEi2bkdcMmKCD0NK+Zw/PLEk0wRy1r1LN1F4HLdXrjittiKU6mh5PLA==} - hasBin: true - peerDependencies: - playwright-core: 1.48.2 - '@synthetixio/synpress-core@0.0.4': resolution: {integrity: sha512-3zO8PGigi9sjdG359pZ0EB3BiBPweZVOyiobCopNDykKI/EoWNYY05bOttOG+/Wg0HynMzGTPTRwpJ0+a+k2Sg==} peerDependencies: @@ -1444,6 +1558,9 @@ packages: '@types/estree@1.0.5': resolution: {integrity: sha512-/kYRxGDLWzHOB7q+wtSUQlFrtcdUccpfy+X+9iMBpHK8QLLhx2wIPYuS5DYtR9Wa/YlZAbIovy7qVdB1Aq6Lyw==} + '@types/estree@1.0.6': + resolution: {integrity: sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==} + '@types/fs-extra@11.0.4': resolution: {integrity: sha512-yTbItCNreRooED33qjunPthRcSjERP1r4MqCZc7wv0u2sUkzTFp45tgUfS5+r7FrZPdmCCNflLhVSP/o+SemsQ==} @@ -1483,8 +1600,8 @@ packages: '@types/node@20.11.17': resolution: {integrity: sha512-QmgQZGWu1Yw9TDyAP9ZzpFJKynYNeOvwMJmaxABfieQoVoiVOS6MN1WSpqpRcbeA5+RW82kraAVxCCJg+780Qw==} - '@types/node@22.5.0': - resolution: {integrity: sha512-DkFrJOe+rfdHTqqMg0bSNlGlQ85hSoh2TPzZyhHsXnMtligRWpxUySiyw8FY14ITt24HVCiQPWxS3KO/QlGmWg==} + '@types/node@22.9.1': + resolution: {integrity: sha512-p8Yy/8sw1caA8CdRIQBG5tiLHmxtQKObCijiAa9Ez+d4+PRffM4054xbju0msf+cvhJpnFEeNjxmVT/0ipktrg==} '@types/normalize-package-data@2.4.4': resolution: {integrity: sha512-37i+OaWTh9qeK4LSHPsyRC7NahnGotNuZvjLSgcPzblpHB3rrCJxAOgI5gCdKm7coonsaX1Of0ILiTcnZjbfxA==} @@ -1510,6 +1627,9 @@ packages: '@types/tinycolor2@1.4.6': resolution: {integrity: sha512-iEN8J0BoMnsWBqjVbWH/c0G0Hh7O21lpR2/+PrvAVgWdzL7eexIFm4JN/Wn10PTcmNdtS6U67r499mlWMXOxNw==} + '@types/tough-cookie@4.0.5': + resolution: {integrity: sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA==} + '@types/unist@3.0.3': resolution: {integrity: sha512-ko/gIFJRv177XgZsZcBwnqJN5x/Gien8qNOn0D5bQU/zAzVf9Zt3BlcUiLqhV9y4ARk0GbT3tnUiPNgnTXzc/Q==} @@ -1543,18 +1663,47 @@ packages: '@vitest/expect@1.2.2': resolution: {integrity: sha512-3jpcdPAD7LwHUUiT2pZTj2U82I2Tcgg2oVPvKxhn6mDI2On6tfvPQTjAI4628GUGDZrCm4Zna9iQHm5cEexOAg==} + '@vitest/expect@2.1.5': + resolution: {integrity: sha512-nZSBTW1XIdpZvEJyoP/Sy8fUg0b8od7ZpGDkTUcfJ7wz/VoZAFzFfLyxVxGFhUjJzhYqSbIpfMtl/+k/dpWa3Q==} + + '@vitest/mocker@2.1.5': + resolution: {integrity: sha512-XYW6l3UuBmitWqSUXTNXcVBUCRytDogBsWuNXQijc00dtnU/9OqpXWp4OJroVrad/gLIomAq9aW8yWDBtMthhQ==} + peerDependencies: + msw: ^2.4.9 + vite: ^5.0.0 + peerDependenciesMeta: + msw: + optional: true + vite: + optional: true + + '@vitest/pretty-format@2.1.5': + resolution: {integrity: sha512-4ZOwtk2bqG5Y6xRGHcveZVr+6txkH7M2e+nPFd6guSoN638v/1XQ0K06eOpi0ptVU/2tW/pIU4IoPotY/GZ9fw==} + '@vitest/runner@1.2.2': resolution: {integrity: sha512-JctG7QZ4LSDXr5CsUweFgcpEvrcxOV1Gft7uHrvkQ+fsAVylmWQvnaAr/HDp3LAH1fztGMQZugIheTWjaGzYIg==} + '@vitest/runner@2.1.5': + resolution: {integrity: sha512-pKHKy3uaUdh7X6p1pxOkgkVAFW7r2I818vHDthYLvUyjRfkKOU6P45PztOch4DZarWQne+VOaIMwA/erSSpB9g==} + '@vitest/snapshot@1.2.2': resolution: {integrity: sha512-SmGY4saEw1+bwE1th6S/cZmPxz/Q4JWsl7LvbQIky2tKE35US4gd0Mjzqfr84/4OD0tikGWaWdMja/nWL5NIPA==} + '@vitest/snapshot@2.1.5': + resolution: {integrity: sha512-zmYw47mhfdfnYbuhkQvkkzYroXUumrwWDGlMjpdUr4jBd3HZiV2w7CQHj+z7AAS4VOtWxI4Zt4bWt4/sKcoIjg==} + '@vitest/spy@1.2.2': resolution: {integrity: sha512-k9Gcahssw8d7X3pSLq3e3XEu/0L78mUkCjivUqCQeXJm9clfXR/Td8+AP+VC1O6fKPIDLcHDTAmBOINVuv6+7g==} + '@vitest/spy@2.1.5': + resolution: {integrity: sha512-aWZF3P0r3w6DiYTVskOYuhBc7EMc3jvn1TkBg8ttylFFRqNN2XGD7V5a4aQdk6QiUzZQ4klNBSpCLJgWNdIiNw==} + '@vitest/utils@1.2.2': resolution: {integrity: sha512-WKITBHLsBHlpjnDQahr+XK6RE7MiAsgrIkr0pGhQ9ygoxBfUeG0lUG5iLlzqjmKSlBv3+j5EGsriBzh+C3Tq9g==} + '@vitest/utils@2.1.5': + resolution: {integrity: sha512-yfj6Yrp0Vesw2cwJbP+cl04OC+IHFsuQsrsJBL9pyGeQXE56v1UAOQco+SR55Vf1nQzfV0QJg1Qum7AaWUwwYg==} + '@vue/compiler-core@3.4.38': resolution: {integrity: sha512-8IQOTCWnLFqfHzOGm9+P8OPSEDukgg3Huc92qSG49if/xI2SAwLHQO2qaPQbjCWPBcQoO1WYfXfTACUrWV3c5A==} @@ -1801,6 +1950,10 @@ packages: assertion-error@1.1.0: resolution: {integrity: sha512-jgsaNduz+ndvGyFt3uSuWqvy4lCnIJiovtouQN5JZHOKCS2QuhEdbcQHFhVksz2N2U9hXJo8odG7ETyWlEeuDw==} + assertion-error@2.0.1: + resolution: {integrity: sha512-Izi8RQcffqCeNVgFigKli1ssklIbpHnCYc6AknXGYoB6grJqyeby7jv12JUQgmTAnIDnbck1uxksT4dzN3PWBA==} + engines: {node: '>=12'} + astral-regex@2.0.0: resolution: {integrity: sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==} engines: {node: '>=8'} @@ -1828,6 +1981,9 @@ packages: axios@1.6.7: resolution: {integrity: sha512-/hDJGff6/c7u0hDkvkGxR/oy6CbCs8ziCsC7SqmhjfozqiJGc8Z11wrv9z9lYfY4K8l+H9TpjcMDX0xOZmx+RA==} + axios@1.7.7: + resolution: {integrity: sha512-S4kL7XrjgBmvdGut0sN3yJxqYzrDOnivkBiN0OFs6hLiUam3UPvswUo0kqGyhqUZGEOytHyumEdXsAkgCOUf3Q==} + b4a@1.6.6: resolution: {integrity: sha512-5Tk1HLk6b6ctmjIkAcU/Ujv/1WqiDl0F0JdRCR80VsOcUlHcu7pWeWRlOqQLHfDEsVx9YH/aif5AG4ehoCtTmg==} @@ -1886,10 +2042,6 @@ packages: resolution: {integrity: sha512-j//dBVuyacJbvW+tvZ9HuH03fZ46QcaKvvhZickZqtB271DxJ7SNRSNxrV/dZX0085m7hISRZWbzWlJvx/rHSg==} engines: {node: '>=14.16'} - boxen@7.1.1: - resolution: {integrity: sha512-2hCgjEmP8YLWQ130n2FerGv7rYpfBmnmp9Uy2Le1vge6X3gZIfSmEzP5QTDElFxcvVcXlEn8Aq6MU/PZygIOog==} - engines: {node: '>=14.16'} - brace-expansion@1.1.11: resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==} @@ -1983,6 +2135,10 @@ packages: resolution: {integrity: sha512-RITGBfijLkBddZvnn8jdqoTypxvqbOLYQkGGxXzeFjVHvudaPw0HNFD9x928/eUwYWd2dPCugVqspGALTZZQKw==} engines: {node: '>=4'} + chai@5.1.2: + resolution: {integrity: sha512-aGtmf24DW6MLHHG5gCx4zaI3uBq3KRtxeVs0DjFH6Z0rDNbsvTxFASFvdj79pxjxZ8/5u3PIiN3IwEIQkiiuPw==} + engines: {node: '>=12'} + chainsaw@0.1.0: resolution: {integrity: sha512-75kWfWt6MEKNC8xYXIdRpDehRYY/tNSgwKaJq+dbbDcxORuVrrQ+SEHoWsniVn9XPYfP4gmdWIeDk/4YNp1rNQ==} @@ -2012,6 +2168,10 @@ packages: check-error@1.0.3: resolution: {integrity: sha512-iKEoDYaRmd1mxM90a2OEfWhjsjPpYPuQ+lMYsoxB126+t8fw7ySEO48nmDg5COTjxDI65/Y2OWpeEHk3ZOe8zg==} + check-error@2.1.1: + resolution: {integrity: sha512-OAlb+T7V4Op9OwdkjmguYRqncdlx5JiofwOAUkmTF+jNdHwzTaTs4sRAGpzLF3oOz5xAyDGrPgeIDFQmDOTiJw==} + engines: {node: '>= 16'} + check-more-types@2.24.0: resolution: {integrity: sha512-Pj779qHxV2tuapviy1bSZNEL1maXr13bPYpsvSDB68HlYcYuhlDrmGd63i0JHMCLKzc7rUSNIrpdJlhVlNwrxA==} engines: {node: '>= 0.8.0'} @@ -2044,10 +2204,6 @@ packages: resolution: {integrity: sha512-aCj4O5wKyszjMmDT4tZj93kxyydN/K5zPWSCe6/0AV/AA1pqe5ZBIw0a2ZfPQV7lL5/yb5HsUreJ6UFAF1tEQw==} engines: {node: '>=18'} - cli-spinners@2.9.2: - resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==} - engines: {node: '>=6'} - cli-table3@0.6.5: resolution: {integrity: sha512-+W/5efTR7y5HRD7gACw9yQjqMVvEMLBHmboM/kPWam+H+Hmyrgjh6YncVKK122YZkXrLudzTuAukUw9FnMf7IQ==} engines: {node: 10.* || >= 12.*} @@ -2168,8 +2324,8 @@ packages: convert-source-map@2.0.0: resolution: {integrity: sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==} - cookie@0.5.0: - resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==} + cookie@0.7.2: + resolution: {integrity: sha512-yki5XnKuf750l50uGTllt6kKILY4nQ1eNIQatoXEByZ5dWgnKqbnqmTrBE5B4N7lrMJKQ2ytWMiTO2o0v6Ew/w==} engines: {node: '>= 0.6'} copy-anything@3.0.5: @@ -2276,6 +2432,15 @@ packages: supports-color: optional: true + debug@4.3.7: + resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==} + engines: {node: '>=6.0'} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + decamelize-keys@1.1.1: resolution: {integrity: sha512-WiPxgEirIV0/eIOMcnFBA3/IJZAZqKnwAwWyvvdi4lsr1WCN22nhdf/3db3DoZcUjTV2SqfzIwNyp6y2xs3nmg==} engines: {node: '>=0.10.0'} @@ -2292,6 +2457,10 @@ packages: resolution: {integrity: sha512-SUwdGfqdKOwxCPeVYjwSyRpJ7Z+fhpwIAtmCUdZIWZ/YP5R9WAsyuSgpLVDi9bjWoN2LXHNss/dk3urXtdQxGg==} engines: {node: '>=6'} + deep-eql@5.0.2: + resolution: {integrity: sha512-h5k/5U50IJJFpzfL6nO9jaaumfjO/f2NjK/oYB2Djzm4p9L+3T9qWpZqZ2hAbLPuuYq9wrU08WQyBTL5GbPk5Q==} + engines: {node: '>=6'} + deep-extend@0.6.0: resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==} engines: {node: '>=4.0.0'} @@ -2395,8 +2564,8 @@ packages: error-ex@1.3.2: resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==} - es-abstract@1.23.3: - resolution: {integrity: sha512-e+HfNH61Bj1X9/jLc5v1owaLYuHdeHHSQlkhCBiTK8rBvKaULl/beGMxwrMXjpYrv4pz22BlY570vVePA2ho4A==} + es-abstract@1.23.5: + resolution: {integrity: sha512-vlmniQ0WNPwXqA0BnmwV3Ng7HxiGlh6r5U6JcTMNx8OilcAGqVJBHJcPjqOMaczU9fRuRK5Px2BdVyPRnKMMVQ==} engines: {node: '>= 0.4'} es-define-property@1.0.0: @@ -2407,6 +2576,9 @@ packages: resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==} engines: {node: '>= 0.4'} + es-module-lexer@1.5.4: + resolution: {integrity: sha512-MVNK56NiMrOwitFB7cqDwq0CQutbw+0BvLshJSse0MUNU+y1FC3bUS/AQg7oUng+/wKrrki7JfmwtVHkVfPLlw==} + es-object-atoms@1.0.0: resolution: {integrity: sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw==} engines: {node: '>= 0.4'} @@ -2492,6 +2664,10 @@ packages: resolution: {integrity: sha512-8iA79xD3uAch729dUG8xaaBBFGaEa0wdD2VkYLFHwlqosEj/jT66AzcreRDSgV7ehnNLBW2WR5jIXwGKjVdTLg==} engines: {node: '>=4'} + expect-type@1.1.0: + resolution: {integrity: sha512-bFi65yM+xZgk+u/KRIpekdSYkTB5W1pEf0Lt8Q8Msh7b+eQ7LXVtIB1Bkm4fvclDEL1b2CZkMhv2mOeF8tMdkA==} + engines: {node: '>=12.0.0'} + exponential-backoff@3.1.1: resolution: {integrity: sha512-dX7e/LHVJ6W3DE1MHWi9S1EYzDESENfLrYohG2G++ovZrYOkm4Knwa0mc1cn84xJOR4KEU0WSchhLbd0UklbHw==} @@ -3338,6 +3514,9 @@ packages: loupe@2.3.7: resolution: {integrity: sha512-zSMINGVYkdpYSOBmLi0D1Uo7JU9nVdQKrHxC8eYlV+9YKK9WePqAlL7lSlorG/U2Fw1w0hTBmaa/jrQ3UbPHtA==} + loupe@3.1.2: + resolution: {integrity: sha512-23I4pFZHmAemUnz8WZXbYRSKYj801VDaNv9ETuMh7IrMc7VuVVSo+Z9iLE3ni30+U48iDWfi30d3twAXBYmnCg==} + lowercase-keys@3.0.0: resolution: {integrity: sha512-ozCC6gdQ+glXOQsveKD0YsDy8DSQFjDTz4zyzEHNV5+JP5D62LmfDZ6o1cycFx9ouG940M5dE8C8CTewdj2YWQ==} engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0} @@ -3358,8 +3537,11 @@ packages: magic-string@0.30.11: resolution: {integrity: sha512-+Wri9p0QHMy+545hKww7YAu5NyzF8iomPL/RQazugQ9+Ez4Ic3mERMd8ZTX5rfK944j+560ZJi8iAwgak1Ac7A==} - magicast@0.3.4: - resolution: {integrity: sha512-TyDF/Pn36bBji9rWKHlZe+PZb6Mx5V8IHCSxk7X4aljM4e/vyDvZZYwHewdVaqiA0nb3ghfHU/6AUpDxWoER2Q==} + magic-string@0.30.13: + resolution: {integrity: sha512-8rYBO+MsWkgjDSOvLomYnzhdwEG51olQ4zL5KXnNJWV5MNmrb4rTZdrtkhxjnD/QyZUqR/Z/XDsUs/4ej2nx0g==} + + magicast@0.3.5: + resolution: {integrity: sha512-L0WhttDl+2BOsybvEOLK7fW3UA0OQ0IQ2d6Zl2x/a6vVRs3bAY0ECOSHHeL5jD+SbOpOCUEi0y1DgHEn9Qn1AQ==} make-dir@4.0.0: resolution: {integrity: sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==} @@ -3566,10 +3748,24 @@ packages: typescript: optional: true + msw@2.6.5: + resolution: {integrity: sha512-PnlnTpUlOrj441kYQzzFhzMzMCGFT6a2jKUBG7zSpLkYS5oh8Arrbc0dL8/rNAtxaoBy0EVs2mFqj2qdmWK7lQ==} + engines: {node: '>=18'} + hasBin: true + peerDependencies: + typescript: '>= 4.8.x' + peerDependenciesMeta: + typescript: + optional: true + mute-stream@1.0.0: resolution: {integrity: sha512-avsJQhyd+680gKXyG/sQc0nXaC6rBkPOfyHYcFb9+hdkqQkR9bdnkJ0AMZhke0oesPqIO+mFFJ+IdBc7mst4IA==} engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0} + mute-stream@2.0.0: + resolution: {integrity: sha512-WWdIxpyjEn+FhQJQQv9aQAYlHoNVdzIzUySNV1gHUPDSdZJ3yZn7pAAbQcV7B56Mvu881q9FZV+0Vx2xC44VWA==} + engines: {node: ^18.17.0 || >=20.5.0} + mz@2.7.0: resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==} @@ -3661,6 +3857,10 @@ packages: resolution: {integrity: sha512-IRZSRuzJiynemAXPYtPe5BoI/RESNYR7TYm50MC5Mqbd3Jmw5y790sErYw3V6SryFJD64b74qQQs9wn5Bg/k3g==} engines: {node: '>= 0.4'} + object-inspect@1.13.3: + resolution: {integrity: sha512-kDCGIbxkDSXE3euJZZXzc6to7fCrKHNI/hSRQnRuQ+BWjFNzZwiFF8fj/6o2t2G9/jTj8PSIYTfCLelLZEeRpA==} + engines: {node: '>= 0.4'} + object-keys@1.1.1: resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==} engines: {node: '>= 0.4'} @@ -3788,8 +3988,8 @@ packages: path-to-regexp@2.2.1: resolution: {integrity: sha512-gu9bD6Ta5bwGrrU8muHzVOBFFREpp2iRkVfhBJahwJ6p6Xw20SjT0MxLnwkjOibQmGSYhiUnf2FLe7k+jcFmGQ==} - path-to-regexp@6.2.2: - resolution: {integrity: sha512-GQX3SSMokngb36+whdpRXE+3f9V8UzyAorlYvOGx87ufGHehNTn5lCxrKtLyZ4Yl/wEKnNnr98ZzOwwDZV5ogw==} + path-to-regexp@6.3.0: + resolution: {integrity: sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==} path-type@4.0.0: resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==} @@ -3801,6 +4001,10 @@ packages: pathval@1.1.1: resolution: {integrity: sha512-Dp6zGqpTdETdR63lehJYPeIOqpiNBNtc7BpWSLrOje7UaIsE5aY92r/AunQA7rsXvet3lrJ3JnZX29UPTKXyKQ==} + pathval@2.0.0: + resolution: {integrity: sha512-vE7JKRyES09KiunauX7nd2Q9/L7lhok4smP9RZTDeD4MVs72Dp2qNFVz39Nz5a0FVEW0BJR6C0DYrq6unoziZA==} + engines: {node: '>= 14.16'} + pend@1.2.0: resolution: {integrity: sha512-F3asv42UuXchdzt+xXqfW1OGlVBe+mxa2mqI0pg5yAHZPvFmY3Y6drSf/GQ1A86WgWEN9Kzh/WrgKa6iGcHXLg==} @@ -3810,8 +4014,8 @@ packages: performance-now@2.1.0: resolution: {integrity: sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==} - picocolors@1.0.1: - resolution: {integrity: sha512-anP1Z8qwhkbmu7MFP5iTt+wQKXgwzf7zTyGlcdzabySa9vd0Xt392U0rVmz9poOaBj0uHJKyyo9/upk0HrEQew==} + picocolors@1.1.1: + resolution: {integrity: sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==} picomatch@2.3.1: resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} @@ -3918,8 +4122,8 @@ packages: resolution: {integrity: sha512-y+WKFlBR8BGXnsNlIHFGPZmyDf3DFMoLhaflAnyZgV6rG6xu+JwesTo2Q9R6XwYmtmwAFCkAk3e35jEdoeh/3g==} engines: {node: '>=10'} - prompts-ncu@3.0.0: - resolution: {integrity: sha512-qyz9UxZ5MlPKWVhWrCmSZ1ahm2GVYdjLb8og2sg0IPth1KRuhcggHGuijz0e41dkx35p1t1q3GRISGH7QGALFA==} + prompts-ncu@3.0.1: + resolution: {integrity: sha512-2OjeOtQciLYeNPIXCLDxw2CdwlpnTcxKLtc/5iDJ6usMiOzj77FcLjGwx2qQ3+VerLsilzCnGntDeYBp06OZsQ==} engines: {node: '>= 14'} proto-list@1.2.4: @@ -3934,6 +4138,9 @@ packages: pseudomap@1.0.2: resolution: {integrity: sha512-b/YwNhb8lk1Zz2+bXXpS/LK9OisiZZ1SNsSLxN1x2OXVEhW2Ckr/7mWE5vrC1ZTiJlD9g19jWszTmJsB+oEpFQ==} + psl@1.10.0: + resolution: {integrity: sha512-KSKHEbjAnpUuAUserOq0FxGXCUrzC3WniuSJhvdbs102rL55266ZcHBqLWOsG30spQMlPdpy7icATiAQehg/iA==} + pump@3.0.0: resolution: {integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==} @@ -3952,6 +4159,9 @@ packages: resolution: {integrity: sha512-+38qI9SOr8tfZ4QmJNplMUxqjbe7LKvvZgWdExBOmd+egZTtjLB67Gu0HRX3u/XOq7UU2Nx6nsjvS16Z9uwfpg==} engines: {node: '>=0.6'} + querystringify@2.2.0: + resolution: {integrity: sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==} + queue-microtask@1.2.3: resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==} @@ -4026,8 +4236,8 @@ packages: regenerator-runtime@0.14.1: resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} - regexp.prototype.flags@1.5.2: - resolution: {integrity: sha512-NcDiDkTLuPR+++OCKB0nWafEmhg/Da8aUPLPMQbK+bxKKCm1/S5he+AqYa4PlMCVBalb4/yxIRub6qkEx5yJbw==} + regexp.prototype.flags@1.5.3: + resolution: {integrity: sha512-vqlC04+RQoFalODCbCumG2xIOvapzVMHwsyIGM/SIE8fRhFFsXeH8/QQ+s0T0kDAhKc4k30s73/0ydkHQz6HlQ==} engines: {node: '>= 0.4'} registry-auth-token@3.3.2: @@ -4120,6 +4330,11 @@ packages: engines: {node: '>=18.0.0', npm: '>=8.0.0'} hasBin: true + rollup@4.27.3: + resolution: {integrity: sha512-SLsCOnlmGt9VoZ9Ek8yBK8tAdmPHeppkw+Xa7yDlCEhDTvwYei03JlWo1fdc7YTfLZ4tD8riJCUyAgTbszk1fQ==} + engines: {node: '>=18.0.0', npm: '>=8.0.0'} + hasBin: true + run-parallel@1.2.0: resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==} @@ -4343,8 +4558,8 @@ packages: resolution: {integrity: sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==} engines: {node: '>= 0.8'} - std-env@3.7.0: - resolution: {integrity: sha512-JPbdCEQLj1w5GilpiHAx3qJvFndqybBysA3qUOnznweH4QbNYUsW/ea8QzSrnh0vNsezMMw5bcVool8lM0gwzg==} + std-env@3.8.0: + resolution: {integrity: sha512-Bc3YwwCB+OzldMxOXJIIvC6cPRWr/LxOp48CdQTOkPyk/t4JWWJbrilwBd7RJzKV8QW7tJkcgAmeuLLJugl5/w==} stream-transform@2.1.3: resolution: {integrity: sha512-9GHUiM5hMiCi6Y03jD2ARC1ettBXkQBoQAe7nJsPknnI0ow10aXjTnew8QtYQmLjzn974BnmWEAJgCY6ZP1DeQ==} @@ -4494,6 +4709,9 @@ packages: tinycolor2@1.6.0: resolution: {integrity: sha512-XPaBkWQJdsf3pLKJV9p4qN/S+fm2Oj8AIPo1BTUhg5oxkvm9+SVEGFdhyOz7tTdUTfvxMiAs4sp6/eZO2Ew+pw==} + tinyexec@0.3.1: + resolution: {integrity: sha512-WiCJLEECkO18gwqIp6+hJg0//p23HXp4S+gGtAKu3mI2F2/sXC4FvHvXvB0zJVVaTPhx1/tOwdbRsa1sOBIKqQ==} + tinygradient@1.1.5: resolution: {integrity: sha512-8nIfc2vgQ4TeLnk2lFj4tRLvvJwEfQuabdsmvDdQPT0xlk9TaNtpGd6nNRxXoK6vQhN6RSzj+Cnp5tTQmpxmbw==} @@ -4501,10 +4719,22 @@ packages: resolution: {integrity: sha512-i11VH5gS6IFeLY3gMBQ00/MmLncVP7JLXOw1vlgkytLmJK7QnEr7NXf0LBdxfmNPAeyetukOk0bOYrJrFGjYJQ==} engines: {node: '>=14.0.0'} + tinypool@1.0.2: + resolution: {integrity: sha512-al6n+QEANGFOMf/dmUMsuS5/r9B06uwlyNjZZql/zv8J7ybHCgoihBNORZCY2mzUuAnomQa2JdhyHKzZxPCrFA==} + engines: {node: ^18.0.0 || >=20.0.0} + + tinyrainbow@1.2.0: + resolution: {integrity: sha512-weEDEq7Z5eTHPDh4xjX789+fHfF+P8boiFB+0vbWzpbnbsEr/GRaohi/uMKxg8RZMXnl1ItAi/IUHWMsjDV7kQ==} + engines: {node: '>=14.0.0'} + tinyspy@2.2.1: resolution: {integrity: sha512-KYad6Vy5VDWV4GH3fjpseMQ/XU2BhIYP7Vzd0LG44qRWm/Yt2WCOTicFdvmgo6gWaqooMQCawTtILVQJupKu7A==} engines: {node: '>=14.0.0'} + tinyspy@3.0.2: + resolution: {integrity: sha512-n1cw8k1k0x4pgA2+9XrOkFydTerNcJ1zWCO5Nn9scWHTD+5tp8dghT2x1uduQePZTZgd3Tupf+x9BxJjeJi77Q==} + engines: {node: '>=14.0.0'} + tldts-core@6.1.58: resolution: {integrity: sha512-dR936xmhBm7AeqHIhCWwK765gZ7dFyL+IqLSFAjJbFlUXGMLCb8i2PzlzaOuWBuplBTaBYseSb565nk/ZEM0Bg==} @@ -4528,6 +4758,10 @@ packages: resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} engines: {node: '>=8.0'} + tough-cookie@4.1.4: + resolution: {integrity: sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==} + engines: {node: '>=6'} + tough-cookie@5.0.0: resolution: {integrity: sha512-FRKsF7cz96xIIeMZ82ehjC3xW2E+O2+v11udrDYewUbszngYhsGa8z6YUMMzO9QJZzzyd0nGGXnML/TReX6W8Q==} engines: {node: '>=16'} @@ -4648,8 +4882,8 @@ packages: resolution: {integrity: sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==} engines: {node: '>=12.20'} - type-fest@4.25.0: - resolution: {integrity: sha512-bRkIGlXsnGBRBQRAY56UXBm//9qH4bmJfFvq83gSz41N282df+fjy8ofcEgc1sM8geNt5cl6mC2g9Fht1cs8Aw==} + type-fest@4.27.0: + resolution: {integrity: sha512-3IMSWgP7C5KSQqmo1wjhKrwsvXAtF33jO3QY+Uy++ia7hqvgSK6iXbbg5PbDBc1P2ZbNEDgejOrN4YooXvhwCw==} engines: {node: '>=16'} typed-array-buffer@1.0.2: @@ -4693,6 +4927,11 @@ packages: engines: {node: '>=14.17'} hasBin: true + typescript@5.6.3: + resolution: {integrity: sha512-hjcS1mhfuyi4WW8IWtjP7brDrG2cuDZukyrYrSauoXGNgx0S7zceP07adYkJycEr56BOUTNPzbInooiN3fn1qw==} + engines: {node: '>=14.17'} + hasBin: true + ufo@1.5.4: resolution: {integrity: sha512-UsUk3byDzKd04EyoZ7U4DOlxQaD14JUKQl6/P7wiX4FNvUfm3XL246n9W5AmqwW5RSFJ27NAuM0iLscAOYUiGQ==} @@ -4729,6 +4968,10 @@ packages: resolution: {integrity: sha512-rBJeI5CXAlmy1pV+617WB9J63U6XcazHHF2f2dbJix4XzpUF0RS3Zbj0FGIOCAva5P/d/GBOYaACQ1w+0azUkg==} engines: {node: '>= 4.0.0'} + universalify@0.2.0: + resolution: {integrity: sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==} + engines: {node: '>= 4.0.0'} + universalify@2.0.1: resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==} engines: {node: '>= 10.0.0'} @@ -4750,6 +4993,9 @@ packages: uri-js@4.4.1: resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==} + url-parse@1.5.10: + resolution: {integrity: sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==} + util-deprecate@1.0.2: resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==} @@ -4789,6 +5035,11 @@ packages: engines: {node: ^18.0.0 || >=20.0.0} hasBin: true + vite-node@2.1.5: + resolution: {integrity: sha512-rd0QIgx74q4S1Rd56XIiL2cYEdyWn13cunYBIuqh9mpmQr7gGS0IxXoP8R6OaZtNQQLyXSWbd4rXKYUbhFpK5w==} + engines: {node: ^18.0.0 || >=20.0.0} + hasBin: true + vite@5.4.2: resolution: {integrity: sha512-dDrQTRHp5C1fTFzcSaMxjk6vdpKvT+2/mIdE07Gw2ykehT49O0z/VHS3zZ8iV/Gh8BJJKHWOe5RjaNrW5xf/GA==} engines: {node: ^18.0.0 || >=20.0.0} @@ -4857,6 +5108,31 @@ packages: jsdom: optional: true + vitest@2.1.5: + resolution: {integrity: sha512-P4ljsdpuzRTPI/kbND2sDZ4VmieerR2c9szEZpjc+98Z9ebvnXmM5+0tHEKqYZumXqlvnmfWsjeFOjXVriDG7A==} + engines: {node: ^18.0.0 || >=20.0.0} + hasBin: true + peerDependencies: + '@edge-runtime/vm': '*' + '@types/node': ^18.0.0 || >=20.0.0 + '@vitest/browser': 2.1.5 + '@vitest/ui': 2.1.5 + happy-dom: '*' + jsdom: '*' + peerDependenciesMeta: + '@edge-runtime/vm': + optional: true + '@types/node': + optional: true + '@vitest/browser': + optional: true + '@vitest/ui': + optional: true + happy-dom: + optional: true + jsdom: + optional: true + vscode-oniguruma@1.7.0: resolution: {integrity: sha512-L9WMGRfrjOhgHSdOYgCt/yRMsXzLDJSL7BPrOZt73gU0iWO4mpqzqQzOz5srxqTvMBaR0XZTSrVWo4j55Rc6cA==} @@ -5053,6 +5329,9 @@ packages: zod@3.22.4: resolution: {integrity: sha512-iC+8Io04lddc+mVqQ9AZ7OQ2MrUKGN+oIQyq1vemgt46jwCwLfhq7/pwnBnNXXXZb8VTVLKwp9EDkx+ryxIWmg==} + zod@3.23.8: + resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==} + snapshots: '@adraffy/ens-normalize@1.10.0': {} @@ -5166,21 +5445,17 @@ snapshots: '@jridgewell/gen-mapping': 0.3.5 '@jridgewell/trace-mapping': 0.3.25 - '@babel/code-frame@7.24.7': + '@babel/code-frame@7.26.2': dependencies: - '@babel/highlight': 7.24.7 - picocolors: 1.0.1 + '@babel/helper-validator-identifier': 7.25.9 + js-tokens: 4.0.0 + picocolors: 1.1.1 '@babel/helper-string-parser@7.24.8': {} '@babel/helper-validator-identifier@7.24.7': {} - '@babel/highlight@7.24.7': - dependencies: - '@babel/helper-validator-identifier': 7.24.7 - chalk: 2.4.2 - js-tokens: 4.0.0 - picocolors: 1.0.1 + '@babel/helper-validator-identifier@7.25.9': {} '@babel/parser@7.25.4': dependencies: @@ -5225,21 +5500,26 @@ snapshots: '@biomejs/cli-win32-x64@1.2.2': optional: true - '@bundled-es-modules/cookie@2.0.0': + '@bundled-es-modules/cookie@2.0.1': dependencies: - cookie: 0.5.0 + cookie: 0.7.2 '@bundled-es-modules/statuses@1.0.1': dependencies: statuses: 2.0.1 - '@changesets/apply-release-plan@7.0.4': + '@bundled-es-modules/tough-cookie@0.1.6': dependencies: - '@babel/runtime': 7.25.4 - '@changesets/config': 3.0.2 + '@types/tough-cookie': 4.0.5 + tough-cookie: 4.1.4 + optional: true + + '@changesets/apply-release-plan@7.0.5': + dependencies: + '@changesets/config': 3.0.3 '@changesets/get-version-range-type': 0.4.0 - '@changesets/git': 3.0.0 - '@changesets/should-skip-package': 0.1.0 + '@changesets/git': 3.0.1 + '@changesets/should-skip-package': 0.1.1 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 detect-indent: 6.1.0 @@ -5250,12 +5530,11 @@ snapshots: resolve-from: 5.0.0 semver: 7.6.3 - '@changesets/assemble-release-plan@6.0.3': + '@changesets/assemble-release-plan@6.0.4': dependencies: - '@babel/runtime': 7.25.4 '@changesets/errors': 0.2.0 - '@changesets/get-dependents-graph': 2.1.1 - '@changesets/should-skip-package': 0.1.0 + '@changesets/get-dependents-graph': 2.1.2 + '@changesets/should-skip-package': 0.1.1 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 semver: 7.6.3 @@ -5267,19 +5546,19 @@ snapshots: '@changesets/cli@2.27.1': dependencies: '@babel/runtime': 7.25.4 - '@changesets/apply-release-plan': 7.0.4 - '@changesets/assemble-release-plan': 6.0.3 + '@changesets/apply-release-plan': 7.0.5 + '@changesets/assemble-release-plan': 6.0.4 '@changesets/changelog-git': 0.2.0 - '@changesets/config': 3.0.2 + '@changesets/config': 3.0.3 '@changesets/errors': 0.2.0 - '@changesets/get-dependents-graph': 2.1.1 - '@changesets/get-release-plan': 4.0.3 - '@changesets/git': 3.0.0 - '@changesets/logger': 0.1.0 - '@changesets/pre': 2.0.0 - '@changesets/read': 0.6.0 + '@changesets/get-dependents-graph': 2.1.2 + '@changesets/get-release-plan': 4.0.4 + '@changesets/git': 3.0.1 + '@changesets/logger': 0.1.1 + '@changesets/pre': 2.0.1 + '@changesets/read': 0.6.1 '@changesets/types': 6.0.0 - '@changesets/write': 0.3.1 + '@changesets/write': 0.3.2 '@manypkg/get-packages': 1.1.3 '@types/semver': 7.5.8 ansi-colors: 4.1.3 @@ -5299,11 +5578,11 @@ snapshots: term-size: 2.2.1 tty-table: 4.2.3 - '@changesets/config@3.0.2': + '@changesets/config@3.0.3': dependencies: '@changesets/errors': 0.2.0 - '@changesets/get-dependents-graph': 2.1.1 - '@changesets/logger': 0.1.0 + '@changesets/get-dependents-graph': 2.1.2 + '@changesets/logger': 0.1.1 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 fs-extra: 7.0.1 @@ -5313,67 +5592,60 @@ snapshots: dependencies: extendable-error: 0.1.7 - '@changesets/get-dependents-graph@2.1.1': + '@changesets/get-dependents-graph@2.1.2': dependencies: '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 - chalk: 2.4.2 - fs-extra: 7.0.1 + picocolors: 1.1.1 semver: 7.6.3 - '@changesets/get-release-plan@4.0.3': + '@changesets/get-release-plan@4.0.4': dependencies: - '@babel/runtime': 7.25.4 - '@changesets/assemble-release-plan': 6.0.3 - '@changesets/config': 3.0.2 - '@changesets/pre': 2.0.0 - '@changesets/read': 0.6.0 + '@changesets/assemble-release-plan': 6.0.4 + '@changesets/config': 3.0.3 + '@changesets/pre': 2.0.1 + '@changesets/read': 0.6.1 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 '@changesets/get-version-range-type@0.4.0': {} - '@changesets/git@3.0.0': + '@changesets/git@3.0.1': dependencies: - '@babel/runtime': 7.25.4 '@changesets/errors': 0.2.0 - '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 is-subdir: 1.2.0 micromatch: 4.0.8 spawndamnit: 2.0.0 - '@changesets/logger@0.1.0': + '@changesets/logger@0.1.1': dependencies: - chalk: 2.4.2 + picocolors: 1.1.1 '@changesets/parse@0.4.0': dependencies: '@changesets/types': 6.0.0 js-yaml: 3.14.1 - '@changesets/pre@2.0.0': + '@changesets/pre@2.0.1': dependencies: - '@babel/runtime': 7.25.4 '@changesets/errors': 0.2.0 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 fs-extra: 7.0.1 - '@changesets/read@0.6.0': + '@changesets/read@0.6.1': dependencies: - '@babel/runtime': 7.25.4 - '@changesets/git': 3.0.0 - '@changesets/logger': 0.1.0 + '@changesets/git': 3.0.1 + '@changesets/logger': 0.1.1 '@changesets/parse': 0.4.0 '@changesets/types': 6.0.0 - chalk: 2.4.2 fs-extra: 7.0.1 p-filter: 2.1.0 + picocolors: 1.1.1 - '@changesets/should-skip-package@0.1.0': + '@changesets/should-skip-package@0.1.1': dependencies: - '@babel/runtime': 7.25.4 '@changesets/types': 6.0.0 '@manypkg/get-packages': 1.1.3 @@ -5381,9 +5653,8 @@ snapshots: '@changesets/types@6.0.0': {} - '@changesets/write@0.3.1': + '@changesets/write@0.3.2': dependencies: - '@babel/runtime': 7.25.4 '@changesets/types': 6.0.0 fs-extra: 7.0.1 human-id: 1.0.2 @@ -5428,13 +5699,17 @@ snapshots: dependencies: bs58: 5.0.0 + '@depay/solana-web3.js@1.28.0': + dependencies: + bs58: 5.0.0 + '@depay/web3-blockchains@9.4.4': {} '@depay/web3-blockchains@9.7.5': {} - '@depay/web3-client@10.18.6(@depay/solana-web3.js@1.26.0)(@depay/web3-blockchains@9.7.5)(ethers@5.7.2)': + '@depay/web3-client@10.18.6(@depay/solana-web3.js@1.28.0)(@depay/web3-blockchains@9.7.5)(ethers@5.7.2)': dependencies: - '@depay/solana-web3.js': 1.26.0 + '@depay/solana-web3.js': 1.28.0 '@depay/web3-blockchains': 9.7.5 ethers: 5.7.2 @@ -5954,20 +6229,41 @@ snapshots: dependencies: '@gitmoji/gitmoji-regex': 1.0.0 - '@inquirer/confirm@3.1.22': + '@inquirer/confirm@3.2.0': dependencies: - '@inquirer/core': 9.0.10 - '@inquirer/type': 1.5.2 + '@inquirer/core': 9.2.1 + '@inquirer/type': 1.5.5 + + '@inquirer/confirm@5.0.2(@types/node@20.11.17)': + dependencies: + '@inquirer/core': 10.1.0(@types/node@20.11.17) + '@inquirer/type': 3.0.1(@types/node@20.11.17) + '@types/node': 20.11.17 + optional: true - '@inquirer/core@9.0.10': + '@inquirer/core@10.1.0(@types/node@20.11.17)': dependencies: - '@inquirer/figures': 1.0.5 - '@inquirer/type': 1.5.2 + '@inquirer/figures': 1.0.8 + '@inquirer/type': 3.0.1(@types/node@20.11.17) + ansi-escapes: 4.3.2 + cli-width: 4.1.0 + mute-stream: 2.0.0 + signal-exit: 4.1.0 + strip-ansi: 6.0.1 + wrap-ansi: 6.2.0 + yoctocolors-cjs: 2.1.2 + transitivePeerDependencies: + - '@types/node' + optional: true + + '@inquirer/core@9.2.1': + dependencies: + '@inquirer/figures': 1.0.8 + '@inquirer/type': 2.0.0 '@types/mute-stream': 0.0.4 - '@types/node': 22.5.0 + '@types/node': 22.9.1 '@types/wrap-ansi': 3.0.0 ansi-escapes: 4.3.2 - cli-spinners: 2.9.2 cli-width: 4.1.0 mute-stream: 1.0.0 signal-exit: 4.1.0 @@ -5975,12 +6271,21 @@ snapshots: wrap-ansi: 6.2.0 yoctocolors-cjs: 2.1.2 - '@inquirer/figures@1.0.5': {} + '@inquirer/figures@1.0.8': {} + + '@inquirer/type@1.5.5': + dependencies: + mute-stream: 1.0.0 - '@inquirer/type@1.5.2': + '@inquirer/type@2.0.0': dependencies: mute-stream: 1.0.0 + '@inquirer/type@3.0.1(@types/node@20.11.17)': + dependencies: + '@types/node': 20.11.17 + optional: true + '@isaacs/cliui@8.0.2': dependencies: string-width: 5.1.2 @@ -6042,6 +6347,16 @@ snapshots: outvariant: 1.4.3 strict-event-emitter: 0.5.1 + '@mswjs/interceptors@0.37.1': + dependencies: + '@open-draft/deferred-promise': 2.2.0 + '@open-draft/logger': 0.3.0 + '@open-draft/until': 2.1.0 + is-node-process: 1.2.0 + outvariant: 1.4.3 + strict-event-emitter: 0.5.1 + optional: true + '@noble/curves@1.2.0': dependencies: '@noble/hashes': 1.3.2 @@ -6140,51 +6455,105 @@ snapshots: '@rollup/rollup-android-arm-eabi@4.21.0': optional: true + '@rollup/rollup-android-arm-eabi@4.27.3': + optional: true + '@rollup/rollup-android-arm64@4.21.0': optional: true + '@rollup/rollup-android-arm64@4.27.3': + optional: true + '@rollup/rollup-darwin-arm64@4.21.0': optional: true + '@rollup/rollup-darwin-arm64@4.27.3': + optional: true + '@rollup/rollup-darwin-x64@4.21.0': optional: true + '@rollup/rollup-darwin-x64@4.27.3': + optional: true + + '@rollup/rollup-freebsd-arm64@4.27.3': + optional: true + + '@rollup/rollup-freebsd-x64@4.27.3': + optional: true + '@rollup/rollup-linux-arm-gnueabihf@4.21.0': optional: true + '@rollup/rollup-linux-arm-gnueabihf@4.27.3': + optional: true + '@rollup/rollup-linux-arm-musleabihf@4.21.0': optional: true + '@rollup/rollup-linux-arm-musleabihf@4.27.3': + optional: true + '@rollup/rollup-linux-arm64-gnu@4.21.0': optional: true + '@rollup/rollup-linux-arm64-gnu@4.27.3': + optional: true + '@rollup/rollup-linux-arm64-musl@4.21.0': optional: true + '@rollup/rollup-linux-arm64-musl@4.27.3': + optional: true + '@rollup/rollup-linux-powerpc64le-gnu@4.21.0': optional: true + '@rollup/rollup-linux-powerpc64le-gnu@4.27.3': + optional: true + '@rollup/rollup-linux-riscv64-gnu@4.21.0': optional: true + '@rollup/rollup-linux-riscv64-gnu@4.27.3': + optional: true + '@rollup/rollup-linux-s390x-gnu@4.21.0': optional: true + '@rollup/rollup-linux-s390x-gnu@4.27.3': + optional: true + '@rollup/rollup-linux-x64-gnu@4.21.0': optional: true + '@rollup/rollup-linux-x64-gnu@4.27.3': + optional: true + '@rollup/rollup-linux-x64-musl@4.21.0': optional: true + '@rollup/rollup-linux-x64-musl@4.27.3': + optional: true + '@rollup/rollup-win32-arm64-msvc@4.21.0': optional: true + '@rollup/rollup-win32-arm64-msvc@4.27.3': + optional: true + '@rollup/rollup-win32-ia32-msvc@4.21.0': optional: true + '@rollup/rollup-win32-ia32-msvc@4.27.3': + optional: true + '@rollup/rollup-win32-x64-msvc@4.21.0': optional: true + '@rollup/rollup-win32-x64-msvc@4.27.3': + optional: true + '@scure/base@1.1.7': {} '@scure/bip32@1.3.2': @@ -6231,29 +6600,6 @@ snapshots: '@sindresorhus/is@5.6.0': {} - '@synthetixio/synpress-cache@0.0.4(playwright-core@1.48.2)(postcss@8.4.41)(typescript@5.3.3)': - dependencies: - axios: 1.6.7 - chalk: 5.3.0 - commander: 12.0.0 - esbuild: 0.20.0 - fs-extra: 11.2.0 - glob: 10.3.10 - gradient-string: 2.0.2 - playwright-core: 1.48.2 - progress: 2.0.3 - tsup: 8.0.2(postcss@8.4.41)(typescript@5.3.3) - unzipper: 0.10.14 - zod: 3.22.4 - transitivePeerDependencies: - - '@microsoft/api-extractor' - - '@swc/core' - - debug - - postcss - - supports-color - - ts-node - - typescript - '@synthetixio/synpress-core@0.0.4(@playwright/test@1.48.2)': dependencies: '@playwright/test': 1.48.2 @@ -6281,6 +6627,8 @@ snapshots: '@types/estree@1.0.5': {} + '@types/estree@1.0.6': {} + '@types/fs-extra@11.0.4': dependencies: '@types/jsonfile': 6.1.4 @@ -6323,7 +6671,7 @@ snapshots: dependencies: undici-types: 5.26.5 - '@types/node@22.5.0': + '@types/node@22.9.1': dependencies: undici-types: 6.19.8 @@ -6347,6 +6695,9 @@ snapshots: '@types/tinycolor2@1.4.6': {} + '@types/tough-cookie@4.0.5': + optional: true + '@types/unist@3.0.3': {} '@types/unzipper@0.10.9': @@ -6373,52 +6724,106 @@ snapshots: - debug - utf-8-validate - '@vitejs/plugin-vue@5.1.2(vite@5.4.2(@types/node@22.5.0))(vue@3.4.38(typescript@5.3.3))': + '@vitejs/plugin-vue@5.1.2(vite@5.4.2(@types/node@22.9.1))(vue@3.4.38(typescript@5.6.3))': dependencies: - vite: 5.4.2(@types/node@22.5.0) - vue: 3.4.38(typescript@5.3.3) + vite: 5.4.2(@types/node@22.9.1) + vue: 3.4.38(typescript@5.6.3) '@vitest/coverage-v8@1.2.2(vitest@1.2.2(@types/node@20.11.17))': dependencies: '@ampproject/remapping': 2.3.0 '@bcoe/v8-coverage': 0.2.3 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 istanbul-lib-coverage: 3.2.2 istanbul-lib-report: 3.0.1 istanbul-lib-source-maps: 4.0.1 istanbul-reports: 3.1.7 - magic-string: 0.30.11 - magicast: 0.3.4 - picocolors: 1.0.1 - std-env: 3.7.0 + magic-string: 0.30.13 + magicast: 0.3.5 + picocolors: 1.1.1 + std-env: 3.8.0 test-exclude: 6.0.0 v8-to-istanbul: 9.3.0 vitest: 1.2.2(@types/node@20.11.17) transitivePeerDependencies: - supports-color + '@vitest/coverage-v8@1.2.2(vitest@2.1.5(@types/node@20.11.17)(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3)))': + dependencies: + '@ampproject/remapping': 2.3.0 + '@bcoe/v8-coverage': 0.2.3 + debug: 4.3.7 + istanbul-lib-coverage: 3.2.2 + istanbul-lib-report: 3.0.1 + istanbul-lib-source-maps: 4.0.1 + istanbul-reports: 3.1.7 + magic-string: 0.30.13 + magicast: 0.3.5 + picocolors: 1.1.1 + std-env: 3.8.0 + test-exclude: 6.0.0 + v8-to-istanbul: 9.3.0 + vitest: 2.1.5(@types/node@20.11.17)(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3)) + transitivePeerDependencies: + - supports-color + '@vitest/expect@1.2.2': dependencies: '@vitest/spy': 1.2.2 '@vitest/utils': 1.2.2 chai: 4.5.0 + '@vitest/expect@2.1.5': + dependencies: + '@vitest/spy': 2.1.5 + '@vitest/utils': 2.1.5 + chai: 5.1.2 + tinyrainbow: 1.2.0 + + '@vitest/mocker@2.1.5(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3))(vite@5.4.2(@types/node@20.11.17))': + dependencies: + '@vitest/spy': 2.1.5 + estree-walker: 3.0.3 + magic-string: 0.30.13 + optionalDependencies: + msw: 2.6.5(@types/node@20.11.17)(typescript@5.3.3) + vite: 5.4.2(@types/node@20.11.17) + + '@vitest/pretty-format@2.1.5': + dependencies: + tinyrainbow: 1.2.0 + '@vitest/runner@1.2.2': dependencies: '@vitest/utils': 1.2.2 p-limit: 5.0.0 pathe: 1.1.2 + '@vitest/runner@2.1.5': + dependencies: + '@vitest/utils': 2.1.5 + pathe: 1.1.2 + '@vitest/snapshot@1.2.2': dependencies: - magic-string: 0.30.11 + magic-string: 0.30.13 pathe: 1.1.2 pretty-format: 29.7.0 + '@vitest/snapshot@2.1.5': + dependencies: + '@vitest/pretty-format': 2.1.5 + magic-string: 0.30.13 + pathe: 1.1.2 + '@vitest/spy@1.2.2': dependencies: tinyspy: 2.2.1 + '@vitest/spy@2.1.5': + dependencies: + tinyspy: 3.0.2 + '@vitest/utils@1.2.2': dependencies: diff-sequences: 29.6.3 @@ -6426,6 +6831,12 @@ snapshots: loupe: 2.3.7 pretty-format: 29.7.0 + '@vitest/utils@2.1.5': + dependencies: + '@vitest/pretty-format': 2.1.5 + loupe: 3.1.2 + tinyrainbow: 1.2.0 + '@vue/compiler-core@3.4.38': dependencies: '@babel/parser': 7.25.4 @@ -6490,31 +6901,31 @@ snapshots: '@vue/shared': 3.4.38 csstype: 3.1.3 - '@vue/server-renderer@3.4.38(vue@3.4.38(typescript@5.3.3))': + '@vue/server-renderer@3.4.38(vue@3.4.38(typescript@5.6.3))': dependencies: '@vue/compiler-ssr': 3.4.38 '@vue/shared': 3.4.38 - vue: 3.4.38(typescript@5.3.3) + vue: 3.4.38(typescript@5.6.3) '@vue/shared@3.4.38': {} - '@vueuse/core@10.11.1(vue@3.4.38(typescript@5.3.3))': + '@vueuse/core@10.11.1(vue@3.4.38(typescript@5.6.3))': dependencies: '@types/web-bluetooth': 0.0.20 '@vueuse/metadata': 10.11.1 - '@vueuse/shared': 10.11.1(vue@3.4.38(typescript@5.3.3)) - vue-demi: 0.14.10(vue@3.4.38(typescript@5.3.3)) + '@vueuse/shared': 10.11.1(vue@3.4.38(typescript@5.6.3)) + vue-demi: 0.14.10(vue@3.4.38(typescript@5.6.3)) transitivePeerDependencies: - '@vue/composition-api' - vue - '@vueuse/integrations@10.11.1(axios@1.6.7)(focus-trap@7.5.4)(vue@3.4.38(typescript@5.3.3))': + '@vueuse/integrations@10.11.1(axios@1.7.7)(focus-trap@7.5.4)(vue@3.4.38(typescript@5.6.3))': dependencies: - '@vueuse/core': 10.11.1(vue@3.4.38(typescript@5.3.3)) - '@vueuse/shared': 10.11.1(vue@3.4.38(typescript@5.3.3)) - vue-demi: 0.14.10(vue@3.4.38(typescript@5.3.3)) + '@vueuse/core': 10.11.1(vue@3.4.38(typescript@5.6.3)) + '@vueuse/shared': 10.11.1(vue@3.4.38(typescript@5.6.3)) + vue-demi: 0.14.10(vue@3.4.38(typescript@5.6.3)) optionalDependencies: - axios: 1.6.7 + axios: 1.7.7 focus-trap: 7.5.4 transitivePeerDependencies: - '@vue/composition-api' @@ -6522,9 +6933,9 @@ snapshots: '@vueuse/metadata@10.11.1': {} - '@vueuse/shared@10.11.1(vue@3.4.38(typescript@5.3.3))': + '@vueuse/shared@10.11.1(vue@3.4.38(typescript@5.6.3))': dependencies: - vue-demi: 0.14.10(vue@3.4.38(typescript@5.3.3)) + vue-demi: 0.14.10(vue@3.4.38(typescript@5.6.3)) transitivePeerDependencies: - '@vue/composition-api' - vue @@ -6533,10 +6944,10 @@ snapshots: abbrev@1.1.1: {} - abitype@1.0.0(typescript@5.3.3)(zod@3.22.4): + abitype@1.0.0(typescript@5.3.3)(zod@3.23.8): optionalDependencies: typescript: 5.3.3 - zod: 3.22.4 + zod: 3.23.8 accepts@1.3.8: dependencies: @@ -6553,7 +6964,7 @@ snapshots: agent-base@6.0.2: dependencies: - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 transitivePeerDependencies: - supports-color @@ -6677,7 +7088,7 @@ snapshots: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 - es-abstract: 1.23.3 + es-abstract: 1.23.5 es-shim-unscopables: 1.0.2 arraybuffer.prototype.slice@1.0.3: @@ -6685,7 +7096,7 @@ snapshots: array-buffer-byte-length: 1.0.1 call-bind: 1.0.7 define-properties: 1.2.1 - es-abstract: 1.23.3 + es-abstract: 1.23.5 es-errors: 1.3.0 get-intrinsic: 1.2.4 is-array-buffer: 3.0.4 @@ -6701,6 +7112,8 @@ snapshots: assertion-error@1.1.0: {} + assertion-error@2.0.1: {} + astral-regex@2.0.0: {} async@3.2.6: {} @@ -6725,6 +7138,15 @@ snapshots: transitivePeerDependencies: - debug + axios@1.7.7: + dependencies: + follow-redirects: 1.15.6 + form-data: 4.0.0 + proxy-from-env: 1.1.0 + transitivePeerDependencies: + - debug + optional: true + b4a@1.6.6: {} balanced-match@1.0.2: {} @@ -6778,17 +7200,6 @@ snapshots: widest-line: 4.0.1 wrap-ansi: 8.1.0 - boxen@7.1.1: - dependencies: - ansi-align: 3.0.1 - camelcase: 7.0.1 - chalk: 5.3.0 - cli-boxes: 3.0.0 - string-width: 5.1.2 - type-fest: 2.19.0 - widest-line: 4.0.1 - wrap-ansi: 8.1.0 - brace-expansion@1.1.11: dependencies: balanced-match: 1.0.2 @@ -6916,6 +7327,14 @@ snapshots: pathval: 1.1.1 type-detect: 4.1.0 + chai@5.1.2: + dependencies: + assertion-error: 2.0.1 + check-error: 2.1.1 + deep-eql: 5.0.2 + loupe: 3.1.2 + pathval: 2.0.0 + chainsaw@0.1.0: dependencies: traverse: 0.3.9 @@ -6945,6 +7364,8 @@ snapshots: dependencies: get-func-name: 2.0.2 + check-error@2.1.1: {} + check-more-types@2.24.0: {} chokidar@3.6.0: @@ -6975,8 +7396,6 @@ snapshots: dependencies: restore-cursor: 5.1.0 - cli-spinners@2.9.2: {} - cli-table3@0.6.5: dependencies: string-width: 4.2.3 @@ -7106,7 +7525,7 @@ snapshots: convert-source-map@2.0.0: {} - cookie@0.5.0: {} + cookie@0.7.2: {} copy-anything@3.0.5: dependencies: @@ -7244,6 +7663,10 @@ snapshots: optionalDependencies: supports-color: 8.1.1 + debug@4.3.7: + dependencies: + ms: 2.1.3 + decamelize-keys@1.1.1: dependencies: decamelize: 1.2.0 @@ -7259,6 +7682,8 @@ snapshots: dependencies: type-detect: 4.1.0 + deep-eql@5.0.2: {} + deep-extend@0.6.0: {} defaults@1.0.4: @@ -7354,7 +7779,7 @@ snapshots: dependencies: is-arrayish: 0.2.1 - es-abstract@1.23.3: + es-abstract@1.23.5: dependencies: array-buffer-byte-length: 1.0.1 arraybuffer.prototype.slice: 1.0.3 @@ -7387,10 +7812,10 @@ snapshots: is-string: 1.0.7 is-typed-array: 1.1.13 is-weakref: 1.0.2 - object-inspect: 1.13.2 + object-inspect: 1.13.3 object-keys: 1.1.1 object.assign: 4.1.5 - regexp.prototype.flags: 1.5.2 + regexp.prototype.flags: 1.5.3 safe-array-concat: 1.1.2 safe-regex-test: 1.0.3 string.prototype.trim: 1.2.9 @@ -7409,6 +7834,8 @@ snapshots: es-errors@1.3.0: {} + es-module-lexer@1.5.4: {} + es-object-atoms@1.0.0: dependencies: es-errors: 1.3.0 @@ -7519,7 +7946,7 @@ snapshots: estree-walker@3.0.3: dependencies: - '@types/estree': 1.0.5 + '@types/estree': 1.0.6 ethers@5.7.2: dependencies: @@ -7615,6 +8042,8 @@ snapshots: dependencies: pify: 2.3.0 + expect-type@1.1.0: {} + exponential-backoff@3.1.1: {} extend@3.0.2: {} @@ -7771,7 +8200,7 @@ snapshots: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 - es-abstract: 1.23.3 + es-abstract: 1.23.5 functions-have-names: 1.2.3 functions-have-names@1.2.3: {} @@ -7980,7 +8409,7 @@ snapshots: dependencies: '@tootallnate/once': 2.0.0 agent-base: 6.0.2 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 transitivePeerDependencies: - supports-color @@ -8006,7 +8435,7 @@ snapshots: https-proxy-agent@5.0.1: dependencies: agent-base: 6.0.2 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 transitivePeerDependencies: - supports-color @@ -8229,7 +8658,7 @@ snapshots: istanbul-lib-source-maps@4.0.1: dependencies: - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 istanbul-lib-coverage: 3.2.2 source-map: 0.6.1 transitivePeerDependencies: @@ -8437,6 +8866,8 @@ snapshots: dependencies: get-func-name: 2.0.2 + loupe@3.1.2: {} + lowercase-keys@3.0.0: {} lru-cache@10.4.3: {} @@ -8454,7 +8885,11 @@ snapshots: dependencies: '@jridgewell/sourcemap-codec': 1.5.0 - magicast@0.3.4: + magic-string@0.30.13: + dependencies: + '@jridgewell/sourcemap-codec': 1.5.0 + + magicast@0.3.5: dependencies: '@babel/parser': 7.25.4 '@babel/types': 7.25.4 @@ -8678,9 +9113,9 @@ snapshots: msw@2.2.0(typescript@5.3.3): dependencies: - '@bundled-es-modules/cookie': 2.0.0 + '@bundled-es-modules/cookie': 2.0.1 '@bundled-es-modules/statuses': 1.0.1 - '@inquirer/confirm': 3.1.22 + '@inquirer/confirm': 3.2.0 '@mswjs/cookies': 1.1.1 '@mswjs/interceptors': 0.25.16 '@open-draft/until': 2.1.0 @@ -8691,15 +9126,44 @@ snapshots: headers-polyfill: 4.0.3 is-node-process: 1.2.0 outvariant: 1.4.3 - path-to-regexp: 6.2.2 + path-to-regexp: 6.3.0 + strict-event-emitter: 0.5.1 + type-fest: 4.27.0 + yargs: 17.7.2 + optionalDependencies: + typescript: 5.3.3 + + msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3): + dependencies: + '@bundled-es-modules/cookie': 2.0.1 + '@bundled-es-modules/statuses': 1.0.1 + '@bundled-es-modules/tough-cookie': 0.1.6 + '@inquirer/confirm': 5.0.2(@types/node@20.11.17) + '@mswjs/interceptors': 0.37.1 + '@open-draft/deferred-promise': 2.2.0 + '@open-draft/until': 2.1.0 + '@types/cookie': 0.6.0 + '@types/statuses': 2.0.5 + chalk: 4.1.2 + graphql: 16.9.0 + headers-polyfill: 4.0.3 + is-node-process: 1.2.0 + outvariant: 1.4.3 + path-to-regexp: 6.3.0 strict-event-emitter: 0.5.1 - type-fest: 4.25.0 + type-fest: 4.27.0 yargs: 17.7.2 optionalDependencies: typescript: 5.3.3 + transitivePeerDependencies: + - '@types/node' + optional: true mute-stream@1.0.0: {} + mute-stream@2.0.0: + optional: true + mz@2.7.0: dependencies: any-promise: 1.3.0 @@ -8775,7 +9239,7 @@ snapshots: pacote: 15.2.0 parse-github-url: 1.0.3 progress: 2.0.3 - prompts-ncu: 3.0.0 + prompts-ncu: 3.0.1 rc-config-loader: 4.1.3 remote-git-tags: 3.0.0 rimraf: 5.0.5 @@ -8846,6 +9310,8 @@ snapshots: object-inspect@1.13.2: {} + object-inspect@1.13.3: {} + object-keys@1.1.1: {} object.assign@4.1.5: @@ -8950,7 +9416,7 @@ snapshots: parse-json@5.2.0: dependencies: - '@babel/code-frame': 7.24.7 + '@babel/code-frame': 7.26.2 error-ex: 1.3.2 json-parse-even-better-errors: 2.3.1 lines-and-columns: 1.2.4 @@ -8974,7 +9440,7 @@ snapshots: path-to-regexp@2.2.1: {} - path-to-regexp@6.2.2: {} + path-to-regexp@6.3.0: {} path-type@4.0.0: {} @@ -8982,13 +9448,15 @@ snapshots: pathval@1.1.1: {} + pathval@2.0.0: {} + pend@1.2.0: {} perfect-debounce@1.0.0: {} performance-now@2.1.0: {} - picocolors@1.0.1: {} + picocolors@1.1.1: {} picomatch@2.3.1: {} @@ -9030,7 +9498,7 @@ snapshots: postcss@8.4.41: dependencies: nanoid: 3.3.7 - picocolors: 1.0.1 + picocolors: 1.1.1 source-map-js: 1.2.0 preact@10.23.2: {} @@ -9067,7 +9535,7 @@ snapshots: err-code: 2.0.3 retry: 0.12.0 - prompts-ncu@3.0.0: + prompts-ncu@3.0.1: dependencies: kleur: 4.1.5 sisteransi: 1.0.5 @@ -9080,6 +9548,11 @@ snapshots: pseudomap@1.0.2: {} + psl@1.10.0: + dependencies: + punycode: 2.3.1 + optional: true + pump@3.0.0: dependencies: end-of-stream: 1.4.4 @@ -9097,6 +9570,9 @@ snapshots: dependencies: side-channel: 1.0.6 + querystringify@2.2.0: + optional: true + queue-microtask@1.2.3: {} queue-tick@1.0.1: {} @@ -9115,7 +9591,7 @@ snapshots: rc-config-loader@4.1.3: dependencies: - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 js-yaml: 4.1.0 json5: 2.2.3 require-from-string: 2.0.2 @@ -9194,7 +9670,7 @@ snapshots: regenerator-runtime@0.14.1: {} - regexp.prototype.flags@1.5.2: + regexp.prototype.flags@1.5.3: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 @@ -9296,6 +9772,30 @@ snapshots: '@rollup/rollup-win32-x64-msvc': 4.21.0 fsevents: 2.3.3 + rollup@4.27.3: + dependencies: + '@types/estree': 1.0.6 + optionalDependencies: + '@rollup/rollup-android-arm-eabi': 4.27.3 + '@rollup/rollup-android-arm64': 4.27.3 + '@rollup/rollup-darwin-arm64': 4.27.3 + '@rollup/rollup-darwin-x64': 4.27.3 + '@rollup/rollup-freebsd-arm64': 4.27.3 + '@rollup/rollup-freebsd-x64': 4.27.3 + '@rollup/rollup-linux-arm-gnueabihf': 4.27.3 + '@rollup/rollup-linux-arm-musleabihf': 4.27.3 + '@rollup/rollup-linux-arm64-gnu': 4.27.3 + '@rollup/rollup-linux-arm64-musl': 4.27.3 + '@rollup/rollup-linux-powerpc64le-gnu': 4.27.3 + '@rollup/rollup-linux-riscv64-gnu': 4.27.3 + '@rollup/rollup-linux-s390x-gnu': 4.27.3 + '@rollup/rollup-linux-x64-gnu': 4.27.3 + '@rollup/rollup-linux-x64-musl': 4.27.3 + '@rollup/rollup-win32-arm64-msvc': 4.27.3 + '@rollup/rollup-win32-ia32-msvc': 4.27.3 + '@rollup/rollup-win32-x64-msvc': 4.27.3 + fsevents: 2.3.3 + run-parallel@1.2.0: dependencies: queue-microtask: 1.2.3 @@ -9473,7 +9973,7 @@ snapshots: socks-proxy-agent@7.0.0: dependencies: agent-base: 6.0.2 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 socks: 2.8.3 transitivePeerDependencies: - supports-color @@ -9561,7 +10061,7 @@ snapshots: statuses@2.0.1: {} - std-env@3.7.0: {} + std-env@3.8.0: {} stream-transform@2.1.3: dependencies: @@ -9601,7 +10101,7 @@ snapshots: dependencies: call-bind: 1.0.7 define-properties: 1.2.1 - es-abstract: 1.23.3 + es-abstract: 1.23.5 es-object-atoms: 1.0.0 string.prototype.trimend@1.0.8: @@ -9727,6 +10227,8 @@ snapshots: tinycolor2@1.6.0: {} + tinyexec@0.3.1: {} + tinygradient@1.1.5: dependencies: '@types/tinycolor2': 1.4.6 @@ -9734,8 +10236,14 @@ snapshots: tinypool@0.8.4: {} + tinypool@1.0.2: {} + + tinyrainbow@1.2.0: {} + tinyspy@2.2.1: {} + tinyspy@3.0.2: {} + tldts-core@6.1.58: {} tldts@6.1.58: @@ -9754,6 +10262,14 @@ snapshots: dependencies: is-number: 7.0.0 + tough-cookie@4.1.4: + dependencies: + psl: 1.10.0 + punycode: 2.3.1 + universalify: 0.2.0 + url-parse: 1.5.10 + optional: true + tough-cookie@5.0.0: dependencies: tldts: 6.1.58 @@ -9777,14 +10293,14 @@ snapshots: bundle-require: 4.2.1(esbuild@0.19.12) cac: 6.7.14 chokidar: 3.6.0 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 esbuild: 0.19.12 execa: 5.1.1 globby: 11.1.0 joycon: 3.1.1 postcss-load-config: 4.0.2(postcss@8.4.41) resolve-from: 5.0.0 - rollup: 4.21.0 + rollup: 4.27.3 source-map: 0.8.0-beta.0 sucrase: 3.35.0 tree-kill: 1.2.2 @@ -9808,7 +10324,7 @@ snapshots: tuf-js@1.1.7: dependencies: '@tufjs/models': 1.0.4 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 make-fetch-happen: 11.1.1 transitivePeerDependencies: - supports-color @@ -9860,7 +10376,7 @@ snapshots: type-fest@2.19.0: {} - type-fest@4.25.0: {} + type-fest@4.27.0: {} typed-array-buffer@1.0.2: dependencies: @@ -9898,24 +10414,26 @@ snapshots: dependencies: is-typedarray: 1.0.0 - typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.3.3)): + typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.6.3)): dependencies: - typedoc: 0.25.8(typescript@5.3.3) + typedoc: 0.25.8(typescript@5.6.3) - typedoc-vitepress-theme@1.0.0(typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.3.3))): + typedoc-vitepress-theme@1.0.0(typedoc-plugin-markdown@4.0.1(typedoc@0.25.8(typescript@5.6.3))): dependencies: - typedoc-plugin-markdown: 4.0.1(typedoc@0.25.8(typescript@5.3.3)) + typedoc-plugin-markdown: 4.0.1(typedoc@0.25.8(typescript@5.6.3)) - typedoc@0.25.8(typescript@5.3.3): + typedoc@0.25.8(typescript@5.6.3): dependencies: lunr: 2.3.9 marked: 4.3.0 minimatch: 9.0.5 shiki: 0.14.7 - typescript: 5.3.3 + typescript: 5.6.3 typescript@5.3.3: {} + typescript@5.6.3: {} + ufo@1.5.4: {} unbox-primitive@1.0.2: @@ -9951,6 +10469,9 @@ snapshots: universalify@0.1.2: {} + universalify@0.2.0: + optional: true + universalify@2.0.1: {} untildify@4.0.0: {} @@ -9975,7 +10496,7 @@ snapshots: update-notifier@6.0.2: dependencies: - boxen: 7.1.1 + boxen: 7.0.0 chalk: 5.3.0 configstore: 6.0.0 has-yarn: 3.0.0 @@ -9994,6 +10515,12 @@ snapshots: dependencies: punycode: 2.3.1 + url-parse@1.5.10: + dependencies: + querystringify: 2.2.0 + requires-port: 1.0.0 + optional: true + util-deprecate@1.0.2: {} uuid@8.3.2: {} @@ -10019,14 +10546,14 @@ snapshots: core-util-is: 1.0.2 extsprintf: 1.3.0 - viem@2.9.9(typescript@5.3.3)(zod@3.22.4): + viem@2.9.9(typescript@5.3.3)(zod@3.23.8): dependencies: '@adraffy/ens-normalize': 1.10.0 '@noble/curves': 1.2.0 '@noble/hashes': 1.3.2 '@scure/bip32': 1.3.2 '@scure/bip39': 1.2.1 - abitype: 1.0.0(typescript@5.3.3)(zod@3.22.4) + abitype: 1.0.0(typescript@5.3.3)(zod@3.23.8) isows: 1.0.3(ws@8.13.0) ws: 8.13.0 optionalDependencies: @@ -10039,9 +10566,27 @@ snapshots: vite-node@1.2.2(@types/node@20.11.17): dependencies: cac: 6.7.14 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 + pathe: 1.1.2 + picocolors: 1.1.1 + vite: 5.4.2(@types/node@20.11.17) + transitivePeerDependencies: + - '@types/node' + - less + - lightningcss + - sass + - sass-embedded + - stylus + - sugarss + - supports-color + - terser + + vite-node@2.1.5(@types/node@20.11.17): + dependencies: + cac: 6.7.14 + debug: 4.3.7 + es-module-lexer: 1.5.4 pathe: 1.1.2 - picocolors: 1.0.1 vite: 5.4.2(@types/node@20.11.17) transitivePeerDependencies: - '@types/node' @@ -10063,32 +10608,32 @@ snapshots: '@types/node': 20.11.17 fsevents: 2.3.3 - vite@5.4.2(@types/node@22.5.0): + vite@5.4.2(@types/node@22.9.1): dependencies: esbuild: 0.21.5 postcss: 8.4.41 rollup: 4.21.0 optionalDependencies: - '@types/node': 22.5.0 + '@types/node': 22.9.1 fsevents: 2.3.3 - vitepress@1.1.4(@algolia/client-search@4.24.0)(@types/node@22.5.0)(axios@1.6.7)(postcss@8.4.41)(search-insights@2.17.0)(typescript@5.3.3): + vitepress@1.1.4(@algolia/client-search@4.24.0)(@types/node@22.9.1)(axios@1.7.7)(postcss@8.4.41)(search-insights@2.17.0)(typescript@5.6.3): dependencies: '@docsearch/css': 3.6.1 '@docsearch/js': 3.6.1(@algolia/client-search@4.24.0)(search-insights@2.17.0) '@shikijs/core': 1.14.1 '@shikijs/transformers': 1.14.1 '@types/markdown-it': 14.1.2 - '@vitejs/plugin-vue': 5.1.2(vite@5.4.2(@types/node@22.5.0))(vue@3.4.38(typescript@5.3.3)) + '@vitejs/plugin-vue': 5.1.2(vite@5.4.2(@types/node@22.9.1))(vue@3.4.38(typescript@5.6.3)) '@vue/devtools-api': 7.3.9 - '@vueuse/core': 10.11.1(vue@3.4.38(typescript@5.3.3)) - '@vueuse/integrations': 10.11.1(axios@1.6.7)(focus-trap@7.5.4)(vue@3.4.38(typescript@5.3.3)) + '@vueuse/core': 10.11.1(vue@3.4.38(typescript@5.6.3)) + '@vueuse/integrations': 10.11.1(axios@1.7.7)(focus-trap@7.5.4)(vue@3.4.38(typescript@5.6.3)) focus-trap: 7.5.4 mark.js: 8.11.1 minisearch: 6.3.0 shiki: 1.14.1 - vite: 5.4.2(@types/node@22.5.0) - vue: 3.4.38(typescript@5.3.3) + vite: 5.4.2(@types/node@22.9.1) + vue: 3.4.38(typescript@5.6.3) optionalDependencies: postcss: 8.4.41 transitivePeerDependencies: @@ -10129,13 +10674,13 @@ snapshots: acorn-walk: 8.3.3 cac: 6.7.14 chai: 4.5.0 - debug: 4.3.6(supports-color@8.1.1) + debug: 4.3.7 execa: 8.0.1 local-pkg: 0.5.0 - magic-string: 0.30.11 + magic-string: 0.30.13 pathe: 1.1.2 - picocolors: 1.0.1 - std-env: 3.7.0 + picocolors: 1.1.1 + std-env: 3.8.0 strip-literal: 1.3.0 tinybench: 2.9.0 tinypool: 0.8.4 @@ -10154,23 +10699,58 @@ snapshots: - supports-color - terser + vitest@2.1.5(@types/node@20.11.17)(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3)): + dependencies: + '@vitest/expect': 2.1.5 + '@vitest/mocker': 2.1.5(msw@2.6.5(@types/node@20.11.17)(typescript@5.3.3))(vite@5.4.2(@types/node@20.11.17)) + '@vitest/pretty-format': 2.1.5 + '@vitest/runner': 2.1.5 + '@vitest/snapshot': 2.1.5 + '@vitest/spy': 2.1.5 + '@vitest/utils': 2.1.5 + chai: 5.1.2 + debug: 4.3.7 + expect-type: 1.1.0 + magic-string: 0.30.13 + pathe: 1.1.2 + std-env: 3.8.0 + tinybench: 2.9.0 + tinyexec: 0.3.1 + tinypool: 1.0.2 + tinyrainbow: 1.2.0 + vite: 5.4.2(@types/node@20.11.17) + vite-node: 2.1.5(@types/node@20.11.17) + why-is-node-running: 2.3.0 + optionalDependencies: + '@types/node': 20.11.17 + transitivePeerDependencies: + - less + - lightningcss + - msw + - sass + - sass-embedded + - stylus + - sugarss + - supports-color + - terser + vscode-oniguruma@1.7.0: {} vscode-textmate@8.0.0: {} - vue-demi@0.14.10(vue@3.4.38(typescript@5.3.3)): + vue-demi@0.14.10(vue@3.4.38(typescript@5.6.3)): dependencies: - vue: 3.4.38(typescript@5.3.3) + vue: 3.4.38(typescript@5.6.3) - vue@3.4.38(typescript@5.3.3): + vue@3.4.38(typescript@5.6.3): dependencies: '@vue/compiler-dom': 3.4.38 '@vue/compiler-sfc': 3.4.38 '@vue/runtime-dom': 3.4.38 - '@vue/server-renderer': 3.4.38(vue@3.4.38(typescript@5.3.3)) + '@vue/server-renderer': 3.4.38(vue@3.4.38(typescript@5.6.3)) '@vue/shared': 3.4.38 optionalDependencies: - typescript: 5.3.3 + typescript: 5.6.3 wcwidth@1.0.1: dependencies: @@ -10334,3 +10914,6 @@ snapshots: readable-stream: 3.6.2 zod@3.22.4: {} + + zod@3.23.8: + optional: true diff --git a/release/package.json b/release/package.json index 5ea548b9f..0518185e8 100644 --- a/release/package.json +++ b/release/package.json @@ -40,8 +40,8 @@ }, "dependencies": { "@synthetixio/ethereum-wallet-mock": "workspace:*", - "@synthetixio/synpress-cache": "0.0.4", - "@synthetixio/synpress-core": "0.0.4", + "@synthetixio/synpress-cache": "workspace:*", + "@synthetixio/synpress-core": "workspace:*", "@synthetixio/synpress-metamask": "workspace:*" }, "devDependencies": { diff --git a/wallets/metamask/src/playwright/fixtures/metaMaskFixtures.ts b/wallets/metamask/src/playwright/fixtures/metaMaskFixtures.ts index 34cc335b9..21ac48de0 100644 --- a/wallets/metamask/src/playwright/fixtures/metaMaskFixtures.ts +++ b/wallets/metamask/src/playwright/fixtures/metaMaskFixtures.ts @@ -42,12 +42,14 @@ export const metaMaskFixtures = (walletSetup: ReturnType { - const cacheDirPath = path.join(process.cwd(), CACHE_DIR_NAME, walletSetup.hash) + const { walletPassword, hash } = walletSetup + + const cacheDirPath = path.join(process.cwd(), CACHE_DIR_NAME, hash) if (!(await fs.exists(cacheDirPath))) { - throw new Error(`Cache for ${walletSetup.hash} does not exist. Create it first!`) + throw new Error(`Cache for ${hash} does not exist. Create it first!`) } - // Copying the cache to the temporary context directory. + // Copying the cache to the temporary context directory.ΕΎ await fs.copy(cacheDirPath, _contextPath) const metamaskPath = await prepareExtension() @@ -87,7 +89,7 @@ export const metaMaskFixtures = (walletSetup: ReturnType { - const metamask = new MetaMask(context, _metamaskPage, walletSetup.walletPassword, extensionId) + const { walletPassword } = walletSetup + + const metamask = new MetaMask(context, _metamaskPage, walletPassword, extensionId) await use(metamask) }, diff --git a/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts b/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts deleted file mode 100644 index 1bc70ea7c..000000000 --- a/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts +++ /dev/null @@ -1,9 +0,0 @@ -export declare const SEED_PHRASE = 'test test test test test test test test test test test junk' -export declare const PASSWORD = 'Tester@1234' -declare const _default: { - hash: string - fn: import('@synthetixio/synpress-cache').WalletSetupFunction - walletPassword: string -} -export default _default -//# sourceMappingURL=basic.setup.d.ts.map diff --git a/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts.map b/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts.map deleted file mode 100644 index d4aad874b..000000000 --- a/wallets/metamask/test/playwright/wallet-setup/basic.setup.d.ts.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"file":"basic.setup.d.ts","sourceRoot":"","sources":["basic.setup.ts"],"names":[],"mappings":"AAGA,eAAO,MAAM,WAAW,gEAAgE,CAAA;AAExF,eAAO,MAAM,QAAQ,gBAAgB,CAAA;;;;;;AAErC,wBAIE"} \ No newline at end of file