@vleap/warps 3.0.0-beta.160 → 3.0.0-beta.162
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.d.cts +45 -3
- package/dist/index.d.ts +45 -3
- package/dist/index.js +2 -2
- package/dist/index.mjs +2 -2
- package/package.json +1 -1
package/dist/index.d.cts
CHANGED
|
@@ -71,6 +71,7 @@ type WarpActionExecutionResult = {
|
|
|
71
71
|
output: WarpExecutionOutput;
|
|
72
72
|
messages: WarpExecutionMessages;
|
|
73
73
|
destination: string | null;
|
|
74
|
+
resolvedInputs: string[];
|
|
74
75
|
};
|
|
75
76
|
type WarpExecutionNextInfo = {
|
|
76
77
|
identifier: string | null;
|
|
@@ -443,7 +444,7 @@ type WarpActionInputPositionAssetObject = {
|
|
|
443
444
|
token: `arg:${string}`;
|
|
444
445
|
amount: `arg:${string}`;
|
|
445
446
|
};
|
|
446
|
-
type WarpActionInputModifier = 'scale';
|
|
447
|
+
type WarpActionInputModifier = 'scale' | 'transform';
|
|
447
448
|
type WarpActionInput = {
|
|
448
449
|
name: string;
|
|
449
450
|
as?: string;
|
|
@@ -747,6 +748,13 @@ declare function mergeNestedPayload(target: any, source: any): any;
|
|
|
747
748
|
* @returns The converted value, or null if the input has no value
|
|
748
749
|
*/
|
|
749
750
|
declare function toInputPayloadValue(resolvedInput: ResolvedInput, serializer: WarpSerializer): any;
|
|
751
|
+
/**
|
|
752
|
+
* Extracts non-empty string values from resolved inputs.
|
|
753
|
+
*
|
|
754
|
+
* @param inputs - The resolved inputs to extract values from
|
|
755
|
+
* @returns An array of non-empty string values
|
|
756
|
+
*/
|
|
757
|
+
declare function extractResolvedInputValues(inputs: ResolvedInput[]): string[];
|
|
750
758
|
/**
|
|
751
759
|
* Builds a mapped output object from resolved inputs, using input name or "as" property as key.
|
|
752
760
|
* This is the same structure as the payload, but used for output mapping.
|
|
@@ -992,6 +1000,7 @@ declare class WarpFactory {
|
|
|
992
1000
|
private cache;
|
|
993
1001
|
constructor(config: WarpClientConfig, adapters: Adapter[]);
|
|
994
1002
|
getSerializer(): WarpSerializer;
|
|
1003
|
+
getResolvedInputsFromCache(env: WarpChainEnv, warpHash: string | undefined, actionIndex: number): string[];
|
|
995
1004
|
createExecutable(warp: Warp, actionIndex: number, inputs: string[], meta?: {
|
|
996
1005
|
envs?: Record<string, any>;
|
|
997
1006
|
queries?: Record<string, any>;
|
|
@@ -999,7 +1008,40 @@ declare class WarpFactory {
|
|
|
999
1008
|
getChainInfoForWarp(warp: Warp, inputs?: string[]): Promise<WarpChainInfo>;
|
|
1000
1009
|
getStringTypedInputs(action: WarpAction, inputs: string[]): string[];
|
|
1001
1010
|
getResolvedInputs(chain: WarpChain, action: WarpAction, inputArgs: string[], interpolator?: WarpInterpolator): Promise<ResolvedInput[]>;
|
|
1002
|
-
getModifiedInputs(inputs: ResolvedInput[]): ResolvedInput[]
|
|
1011
|
+
getModifiedInputs(inputs: ResolvedInput[]): Promise<ResolvedInput[]>;
|
|
1012
|
+
/**
|
|
1013
|
+
* Builds a context object containing all previous evaluated inputs for use in transform modifiers.
|
|
1014
|
+
*
|
|
1015
|
+
* The context object provides access to inputs by their `as` field (if present) or `name` field.
|
|
1016
|
+
* For asset-type inputs, additional properties are available:
|
|
1017
|
+
* - `{key}` - The full asset object with `identifier` and `amount` properties
|
|
1018
|
+
* - `{key}.token` - The asset identifier as a string
|
|
1019
|
+
* - `{key}.amount` - The asset amount as a string
|
|
1020
|
+
* - `{key}.identifier` - Alias for `{key}.token`
|
|
1021
|
+
*
|
|
1022
|
+
* @example
|
|
1023
|
+
* // Given inputs:
|
|
1024
|
+
* // - { name: 'Asset', as: 'asset', type: 'asset', value: 'asset:ETH|1000000000000000000' }
|
|
1025
|
+
* // - { name: 'Amount', type: 'uint256', value: 'uint256:500' }
|
|
1026
|
+
*
|
|
1027
|
+
* // The context will be:
|
|
1028
|
+
* {
|
|
1029
|
+
* asset: { identifier: 'ETH', amount: 1000000000000000000n },
|
|
1030
|
+
* 'asset.token': 'ETH',
|
|
1031
|
+
* 'asset.amount': '1000000000000000000',
|
|
1032
|
+
* 'asset.identifier': 'ETH',
|
|
1033
|
+
* Amount: 500n
|
|
1034
|
+
* }
|
|
1035
|
+
*
|
|
1036
|
+
* // Usage in transform modifier:
|
|
1037
|
+
* // "modifier": "transform:(inputs) => inputs.asset?.identifier === 'ETH' ? {...} : inputs.asset"
|
|
1038
|
+
*
|
|
1039
|
+
* @param inputs - Array of all resolved inputs
|
|
1040
|
+
* @param currentIndex - Index of the current input being processed
|
|
1041
|
+
* @param currentInput - The current input being transformed (optional, included in context)
|
|
1042
|
+
* @returns Context object with all previous inputs accessible by name/as
|
|
1043
|
+
*/
|
|
1044
|
+
private buildInputContext;
|
|
1003
1045
|
preprocessInput(chain: WarpChain, input: string): Promise<string>;
|
|
1004
1046
|
private getDestinationFromAction;
|
|
1005
1047
|
private getPreparedArgs;
|
|
@@ -1121,4 +1163,4 @@ declare class WarpValidator {
|
|
|
1121
1163
|
private validateSchema;
|
|
1122
1164
|
}
|
|
1123
1165
|
|
|
1124
|
-
export { type Adapter, type AdapterFactory, type AdapterTypeRegistry, type AdapterWarpAbiBuilder, type AdapterWarpBrandBuilder, type AdapterWarpBuilder, type AdapterWarpDataLoader, type AdapterWarpExecutor, type AdapterWarpExplorer, type AdapterWarpOutput, type AdapterWarpRegistry, type AdapterWarpSerializer, type AdapterWarpWallet, type BaseWarpActionInputType, type BaseWarpBuilder, BrowserCryptoProvider, CacheTtl, type ClientIndexConfig, type ClientTransformConfig, type CodecFunc, type CombinedWarpBuilder, type CryptoProvider, type DetectionResult, type DetectionResultFromHtml, type ExecutionHandlers, type HttpAuthHeaders, type InterpolationBag, NodeCryptoProvider, type ProtocolName, type ResolvedInput, type SignableMessage, type TransformRunner, WARP_LANGUAGES, type Warp, type WarpAbi, type WarpAbiContents, type WarpAction, type WarpActionExecutionResult, type WarpActionExecutionStatus, type WarpActionIndex, type WarpActionInput, type WarpActionInputModifier, type WarpActionInputPosition, type WarpActionInputPositionAssetObject, type WarpActionInputSource, type WarpActionInputType, type WarpActionType, type WarpAdapterGenericRemoteTransaction, type WarpAdapterGenericTransaction, type WarpAdapterGenericType, type WarpAdapterGenericValue, type WarpAlert, type WarpAlertName, type WarpAlerts, type WarpBrand, WarpBrandBuilder, type WarpBrandColors, type WarpBrandCta, type WarpBrandLogo, type WarpBrandLogoThemed, type WarpBrandUrls, WarpBuilder, WarpCache, type WarpCacheConfig, WarpCacheKey, type WarpChain, type WarpChainAccount, type WarpChainAction, type WarpChainActionStatus, type WarpChainAsset, type WarpChainAssetValue, type WarpChainEnv, type WarpChainInfo, WarpChainName, WarpClient, type WarpClientConfig, type WarpCollectAction, type WarpCollectDestination, type WarpCollectDestinationHttp, WarpConfig, WarpConstants, type WarpContract, type WarpContractAction, type WarpContractVerification, type WarpDataLoaderOptions, type WarpExecutable, type WarpExecutionMessages, type WarpExecutionNextInfo, type WarpExecutionOutput, WarpExecutor, type WarpExplorerName, WarpFactory, type WarpI18nText, type WarpIdentifierType, WarpIndex, WarpInputTypes, WarpInterpolator, type WarpLinkAction, WarpLinkBuilder, WarpLinkDetecter, type WarpLocale, WarpLogger, type WarpMessageName, type WarpMeta, type WarpNativeValue, type WarpOutputName, WarpProtocolVersions, type WarpProviderConfig, type WarpProviderPreferences, type WarpQueryAction, type WarpRegistryConfigInfo, type WarpRegistryInfo, type WarpResulutionPath, type WarpSearchHit, type WarpSearchResult, type WarpSecret, WarpSerializer, type WarpStructValue, type WarpText, type WarpTransferAction, type WarpTrustStatus, type WarpTypeHandler, WarpTypeRegistry, type WarpUserWallets, WarpValidator, type WarpVarPlaceholder, type WarpWalletDetails, address, applyOutputToMessages, asset, biguint, bool, buildMappedOutput, buildNestedPayload, bytesToBase64, bytesToHex, cleanWarpIdentifier, createAuthHeaders, createAuthMessage, createCryptoProvider, createHttpAuthHeaders, createSignableMessage, createWarpI18nText, createWarpIdentifier, evaluateOutputCommon, extractCollectOutput, extractIdentifierInfoFromUrl, extractQueryStringFromIdentifier, extractQueryStringFromUrl, extractWarpSecrets, findWarpAdapterForChain, getCryptoProvider, getEventNameFromWarp, getLatestProtocolIdentifier, getNextInfo, getProviderConfig, getRandomBytes, getRandomHex, getWarpActionByIndex, getWarpBrandLogoUrl, getWarpInfoFromIdentifier, getWarpPrimaryAction, getWarpWalletAddress, getWarpWalletAddressFromConfig, getWarpWalletMnemonic, getWarpWalletMnemonicFromConfig, getWarpWalletPrivateKey, getWarpWalletPrivateKeyFromConfig, hasInputPrefix, hex, isEqualWarpIdentifier, isWarpActionAutoExecute, isWarpI18nText, mergeNestedPayload, option, parseOutputOutIndex, parseSignedMessage, replacePlaceholders, resolveWarpText, safeWindow, setCryptoProvider, shiftBigintBy, splitInput, string, struct, testCryptoAvailability, toInputPayloadValue, toPreviewText, tuple, uint16, uint32, uint64, uint8, validateSignedMessage, vector };
|
|
1166
|
+
export { type Adapter, type AdapterFactory, type AdapterTypeRegistry, type AdapterWarpAbiBuilder, type AdapterWarpBrandBuilder, type AdapterWarpBuilder, type AdapterWarpDataLoader, type AdapterWarpExecutor, type AdapterWarpExplorer, type AdapterWarpOutput, type AdapterWarpRegistry, type AdapterWarpSerializer, type AdapterWarpWallet, type BaseWarpActionInputType, type BaseWarpBuilder, BrowserCryptoProvider, CacheTtl, type ClientIndexConfig, type ClientTransformConfig, type CodecFunc, type CombinedWarpBuilder, type CryptoProvider, type DetectionResult, type DetectionResultFromHtml, type ExecutionHandlers, type HttpAuthHeaders, type InterpolationBag, NodeCryptoProvider, type ProtocolName, type ResolvedInput, type SignableMessage, type TransformRunner, WARP_LANGUAGES, type Warp, type WarpAbi, type WarpAbiContents, type WarpAction, type WarpActionExecutionResult, type WarpActionExecutionStatus, type WarpActionIndex, type WarpActionInput, type WarpActionInputModifier, type WarpActionInputPosition, type WarpActionInputPositionAssetObject, type WarpActionInputSource, type WarpActionInputType, type WarpActionType, type WarpAdapterGenericRemoteTransaction, type WarpAdapterGenericTransaction, type WarpAdapterGenericType, type WarpAdapterGenericValue, type WarpAlert, type WarpAlertName, type WarpAlerts, type WarpBrand, WarpBrandBuilder, type WarpBrandColors, type WarpBrandCta, type WarpBrandLogo, type WarpBrandLogoThemed, type WarpBrandUrls, WarpBuilder, WarpCache, type WarpCacheConfig, WarpCacheKey, type WarpChain, type WarpChainAccount, type WarpChainAction, type WarpChainActionStatus, type WarpChainAsset, type WarpChainAssetValue, type WarpChainEnv, type WarpChainInfo, WarpChainName, WarpClient, type WarpClientConfig, type WarpCollectAction, type WarpCollectDestination, type WarpCollectDestinationHttp, WarpConfig, WarpConstants, type WarpContract, type WarpContractAction, type WarpContractVerification, type WarpDataLoaderOptions, type WarpExecutable, type WarpExecutionMessages, type WarpExecutionNextInfo, type WarpExecutionOutput, WarpExecutor, type WarpExplorerName, WarpFactory, type WarpI18nText, type WarpIdentifierType, WarpIndex, WarpInputTypes, WarpInterpolator, type WarpLinkAction, WarpLinkBuilder, WarpLinkDetecter, type WarpLocale, WarpLogger, type WarpMessageName, type WarpMeta, type WarpNativeValue, type WarpOutputName, WarpProtocolVersions, type WarpProviderConfig, type WarpProviderPreferences, type WarpQueryAction, type WarpRegistryConfigInfo, type WarpRegistryInfo, type WarpResulutionPath, type WarpSearchHit, type WarpSearchResult, type WarpSecret, WarpSerializer, type WarpStructValue, type WarpText, type WarpTransferAction, type WarpTrustStatus, type WarpTypeHandler, WarpTypeRegistry, type WarpUserWallets, WarpValidator, type WarpVarPlaceholder, type WarpWalletDetails, address, applyOutputToMessages, asset, biguint, bool, buildMappedOutput, buildNestedPayload, bytesToBase64, bytesToHex, cleanWarpIdentifier, createAuthHeaders, createAuthMessage, createCryptoProvider, createHttpAuthHeaders, createSignableMessage, createWarpI18nText, createWarpIdentifier, evaluateOutputCommon, extractCollectOutput, extractIdentifierInfoFromUrl, extractQueryStringFromIdentifier, extractQueryStringFromUrl, extractResolvedInputValues, extractWarpSecrets, findWarpAdapterForChain, getCryptoProvider, getEventNameFromWarp, getLatestProtocolIdentifier, getNextInfo, getProviderConfig, getRandomBytes, getRandomHex, getWarpActionByIndex, getWarpBrandLogoUrl, getWarpInfoFromIdentifier, getWarpPrimaryAction, getWarpWalletAddress, getWarpWalletAddressFromConfig, getWarpWalletMnemonic, getWarpWalletMnemonicFromConfig, getWarpWalletPrivateKey, getWarpWalletPrivateKeyFromConfig, hasInputPrefix, hex, isEqualWarpIdentifier, isWarpActionAutoExecute, isWarpI18nText, mergeNestedPayload, option, parseOutputOutIndex, parseSignedMessage, replacePlaceholders, resolveWarpText, safeWindow, setCryptoProvider, shiftBigintBy, splitInput, string, struct, testCryptoAvailability, toInputPayloadValue, toPreviewText, tuple, uint16, uint32, uint64, uint8, validateSignedMessage, vector };
|
package/dist/index.d.ts
CHANGED
|
@@ -71,6 +71,7 @@ type WarpActionExecutionResult = {
|
|
|
71
71
|
output: WarpExecutionOutput;
|
|
72
72
|
messages: WarpExecutionMessages;
|
|
73
73
|
destination: string | null;
|
|
74
|
+
resolvedInputs: string[];
|
|
74
75
|
};
|
|
75
76
|
type WarpExecutionNextInfo = {
|
|
76
77
|
identifier: string | null;
|
|
@@ -443,7 +444,7 @@ type WarpActionInputPositionAssetObject = {
|
|
|
443
444
|
token: `arg:${string}`;
|
|
444
445
|
amount: `arg:${string}`;
|
|
445
446
|
};
|
|
446
|
-
type WarpActionInputModifier = 'scale';
|
|
447
|
+
type WarpActionInputModifier = 'scale' | 'transform';
|
|
447
448
|
type WarpActionInput = {
|
|
448
449
|
name: string;
|
|
449
450
|
as?: string;
|
|
@@ -747,6 +748,13 @@ declare function mergeNestedPayload(target: any, source: any): any;
|
|
|
747
748
|
* @returns The converted value, or null if the input has no value
|
|
748
749
|
*/
|
|
749
750
|
declare function toInputPayloadValue(resolvedInput: ResolvedInput, serializer: WarpSerializer): any;
|
|
751
|
+
/**
|
|
752
|
+
* Extracts non-empty string values from resolved inputs.
|
|
753
|
+
*
|
|
754
|
+
* @param inputs - The resolved inputs to extract values from
|
|
755
|
+
* @returns An array of non-empty string values
|
|
756
|
+
*/
|
|
757
|
+
declare function extractResolvedInputValues(inputs: ResolvedInput[]): string[];
|
|
750
758
|
/**
|
|
751
759
|
* Builds a mapped output object from resolved inputs, using input name or "as" property as key.
|
|
752
760
|
* This is the same structure as the payload, but used for output mapping.
|
|
@@ -992,6 +1000,7 @@ declare class WarpFactory {
|
|
|
992
1000
|
private cache;
|
|
993
1001
|
constructor(config: WarpClientConfig, adapters: Adapter[]);
|
|
994
1002
|
getSerializer(): WarpSerializer;
|
|
1003
|
+
getResolvedInputsFromCache(env: WarpChainEnv, warpHash: string | undefined, actionIndex: number): string[];
|
|
995
1004
|
createExecutable(warp: Warp, actionIndex: number, inputs: string[], meta?: {
|
|
996
1005
|
envs?: Record<string, any>;
|
|
997
1006
|
queries?: Record<string, any>;
|
|
@@ -999,7 +1008,40 @@ declare class WarpFactory {
|
|
|
999
1008
|
getChainInfoForWarp(warp: Warp, inputs?: string[]): Promise<WarpChainInfo>;
|
|
1000
1009
|
getStringTypedInputs(action: WarpAction, inputs: string[]): string[];
|
|
1001
1010
|
getResolvedInputs(chain: WarpChain, action: WarpAction, inputArgs: string[], interpolator?: WarpInterpolator): Promise<ResolvedInput[]>;
|
|
1002
|
-
getModifiedInputs(inputs: ResolvedInput[]): ResolvedInput[]
|
|
1011
|
+
getModifiedInputs(inputs: ResolvedInput[]): Promise<ResolvedInput[]>;
|
|
1012
|
+
/**
|
|
1013
|
+
* Builds a context object containing all previous evaluated inputs for use in transform modifiers.
|
|
1014
|
+
*
|
|
1015
|
+
* The context object provides access to inputs by their `as` field (if present) or `name` field.
|
|
1016
|
+
* For asset-type inputs, additional properties are available:
|
|
1017
|
+
* - `{key}` - The full asset object with `identifier` and `amount` properties
|
|
1018
|
+
* - `{key}.token` - The asset identifier as a string
|
|
1019
|
+
* - `{key}.amount` - The asset amount as a string
|
|
1020
|
+
* - `{key}.identifier` - Alias for `{key}.token`
|
|
1021
|
+
*
|
|
1022
|
+
* @example
|
|
1023
|
+
* // Given inputs:
|
|
1024
|
+
* // - { name: 'Asset', as: 'asset', type: 'asset', value: 'asset:ETH|1000000000000000000' }
|
|
1025
|
+
* // - { name: 'Amount', type: 'uint256', value: 'uint256:500' }
|
|
1026
|
+
*
|
|
1027
|
+
* // The context will be:
|
|
1028
|
+
* {
|
|
1029
|
+
* asset: { identifier: 'ETH', amount: 1000000000000000000n },
|
|
1030
|
+
* 'asset.token': 'ETH',
|
|
1031
|
+
* 'asset.amount': '1000000000000000000',
|
|
1032
|
+
* 'asset.identifier': 'ETH',
|
|
1033
|
+
* Amount: 500n
|
|
1034
|
+
* }
|
|
1035
|
+
*
|
|
1036
|
+
* // Usage in transform modifier:
|
|
1037
|
+
* // "modifier": "transform:(inputs) => inputs.asset?.identifier === 'ETH' ? {...} : inputs.asset"
|
|
1038
|
+
*
|
|
1039
|
+
* @param inputs - Array of all resolved inputs
|
|
1040
|
+
* @param currentIndex - Index of the current input being processed
|
|
1041
|
+
* @param currentInput - The current input being transformed (optional, included in context)
|
|
1042
|
+
* @returns Context object with all previous inputs accessible by name/as
|
|
1043
|
+
*/
|
|
1044
|
+
private buildInputContext;
|
|
1003
1045
|
preprocessInput(chain: WarpChain, input: string): Promise<string>;
|
|
1004
1046
|
private getDestinationFromAction;
|
|
1005
1047
|
private getPreparedArgs;
|
|
@@ -1121,4 +1163,4 @@ declare class WarpValidator {
|
|
|
1121
1163
|
private validateSchema;
|
|
1122
1164
|
}
|
|
1123
1165
|
|
|
1124
|
-
export { type Adapter, type AdapterFactory, type AdapterTypeRegistry, type AdapterWarpAbiBuilder, type AdapterWarpBrandBuilder, type AdapterWarpBuilder, type AdapterWarpDataLoader, type AdapterWarpExecutor, type AdapterWarpExplorer, type AdapterWarpOutput, type AdapterWarpRegistry, type AdapterWarpSerializer, type AdapterWarpWallet, type BaseWarpActionInputType, type BaseWarpBuilder, BrowserCryptoProvider, CacheTtl, type ClientIndexConfig, type ClientTransformConfig, type CodecFunc, type CombinedWarpBuilder, type CryptoProvider, type DetectionResult, type DetectionResultFromHtml, type ExecutionHandlers, type HttpAuthHeaders, type InterpolationBag, NodeCryptoProvider, type ProtocolName, type ResolvedInput, type SignableMessage, type TransformRunner, WARP_LANGUAGES, type Warp, type WarpAbi, type WarpAbiContents, type WarpAction, type WarpActionExecutionResult, type WarpActionExecutionStatus, type WarpActionIndex, type WarpActionInput, type WarpActionInputModifier, type WarpActionInputPosition, type WarpActionInputPositionAssetObject, type WarpActionInputSource, type WarpActionInputType, type WarpActionType, type WarpAdapterGenericRemoteTransaction, type WarpAdapterGenericTransaction, type WarpAdapterGenericType, type WarpAdapterGenericValue, type WarpAlert, type WarpAlertName, type WarpAlerts, type WarpBrand, WarpBrandBuilder, type WarpBrandColors, type WarpBrandCta, type WarpBrandLogo, type WarpBrandLogoThemed, type WarpBrandUrls, WarpBuilder, WarpCache, type WarpCacheConfig, WarpCacheKey, type WarpChain, type WarpChainAccount, type WarpChainAction, type WarpChainActionStatus, type WarpChainAsset, type WarpChainAssetValue, type WarpChainEnv, type WarpChainInfo, WarpChainName, WarpClient, type WarpClientConfig, type WarpCollectAction, type WarpCollectDestination, type WarpCollectDestinationHttp, WarpConfig, WarpConstants, type WarpContract, type WarpContractAction, type WarpContractVerification, type WarpDataLoaderOptions, type WarpExecutable, type WarpExecutionMessages, type WarpExecutionNextInfo, type WarpExecutionOutput, WarpExecutor, type WarpExplorerName, WarpFactory, type WarpI18nText, type WarpIdentifierType, WarpIndex, WarpInputTypes, WarpInterpolator, type WarpLinkAction, WarpLinkBuilder, WarpLinkDetecter, type WarpLocale, WarpLogger, type WarpMessageName, type WarpMeta, type WarpNativeValue, type WarpOutputName, WarpProtocolVersions, type WarpProviderConfig, type WarpProviderPreferences, type WarpQueryAction, type WarpRegistryConfigInfo, type WarpRegistryInfo, type WarpResulutionPath, type WarpSearchHit, type WarpSearchResult, type WarpSecret, WarpSerializer, type WarpStructValue, type WarpText, type WarpTransferAction, type WarpTrustStatus, type WarpTypeHandler, WarpTypeRegistry, type WarpUserWallets, WarpValidator, type WarpVarPlaceholder, type WarpWalletDetails, address, applyOutputToMessages, asset, biguint, bool, buildMappedOutput, buildNestedPayload, bytesToBase64, bytesToHex, cleanWarpIdentifier, createAuthHeaders, createAuthMessage, createCryptoProvider, createHttpAuthHeaders, createSignableMessage, createWarpI18nText, createWarpIdentifier, evaluateOutputCommon, extractCollectOutput, extractIdentifierInfoFromUrl, extractQueryStringFromIdentifier, extractQueryStringFromUrl, extractWarpSecrets, findWarpAdapterForChain, getCryptoProvider, getEventNameFromWarp, getLatestProtocolIdentifier, getNextInfo, getProviderConfig, getRandomBytes, getRandomHex, getWarpActionByIndex, getWarpBrandLogoUrl, getWarpInfoFromIdentifier, getWarpPrimaryAction, getWarpWalletAddress, getWarpWalletAddressFromConfig, getWarpWalletMnemonic, getWarpWalletMnemonicFromConfig, getWarpWalletPrivateKey, getWarpWalletPrivateKeyFromConfig, hasInputPrefix, hex, isEqualWarpIdentifier, isWarpActionAutoExecute, isWarpI18nText, mergeNestedPayload, option, parseOutputOutIndex, parseSignedMessage, replacePlaceholders, resolveWarpText, safeWindow, setCryptoProvider, shiftBigintBy, splitInput, string, struct, testCryptoAvailability, toInputPayloadValue, toPreviewText, tuple, uint16, uint32, uint64, uint8, validateSignedMessage, vector };
|
|
1166
|
+
export { type Adapter, type AdapterFactory, type AdapterTypeRegistry, type AdapterWarpAbiBuilder, type AdapterWarpBrandBuilder, type AdapterWarpBuilder, type AdapterWarpDataLoader, type AdapterWarpExecutor, type AdapterWarpExplorer, type AdapterWarpOutput, type AdapterWarpRegistry, type AdapterWarpSerializer, type AdapterWarpWallet, type BaseWarpActionInputType, type BaseWarpBuilder, BrowserCryptoProvider, CacheTtl, type ClientIndexConfig, type ClientTransformConfig, type CodecFunc, type CombinedWarpBuilder, type CryptoProvider, type DetectionResult, type DetectionResultFromHtml, type ExecutionHandlers, type HttpAuthHeaders, type InterpolationBag, NodeCryptoProvider, type ProtocolName, type ResolvedInput, type SignableMessage, type TransformRunner, WARP_LANGUAGES, type Warp, type WarpAbi, type WarpAbiContents, type WarpAction, type WarpActionExecutionResult, type WarpActionExecutionStatus, type WarpActionIndex, type WarpActionInput, type WarpActionInputModifier, type WarpActionInputPosition, type WarpActionInputPositionAssetObject, type WarpActionInputSource, type WarpActionInputType, type WarpActionType, type WarpAdapterGenericRemoteTransaction, type WarpAdapterGenericTransaction, type WarpAdapterGenericType, type WarpAdapterGenericValue, type WarpAlert, type WarpAlertName, type WarpAlerts, type WarpBrand, WarpBrandBuilder, type WarpBrandColors, type WarpBrandCta, type WarpBrandLogo, type WarpBrandLogoThemed, type WarpBrandUrls, WarpBuilder, WarpCache, type WarpCacheConfig, WarpCacheKey, type WarpChain, type WarpChainAccount, type WarpChainAction, type WarpChainActionStatus, type WarpChainAsset, type WarpChainAssetValue, type WarpChainEnv, type WarpChainInfo, WarpChainName, WarpClient, type WarpClientConfig, type WarpCollectAction, type WarpCollectDestination, type WarpCollectDestinationHttp, WarpConfig, WarpConstants, type WarpContract, type WarpContractAction, type WarpContractVerification, type WarpDataLoaderOptions, type WarpExecutable, type WarpExecutionMessages, type WarpExecutionNextInfo, type WarpExecutionOutput, WarpExecutor, type WarpExplorerName, WarpFactory, type WarpI18nText, type WarpIdentifierType, WarpIndex, WarpInputTypes, WarpInterpolator, type WarpLinkAction, WarpLinkBuilder, WarpLinkDetecter, type WarpLocale, WarpLogger, type WarpMessageName, type WarpMeta, type WarpNativeValue, type WarpOutputName, WarpProtocolVersions, type WarpProviderConfig, type WarpProviderPreferences, type WarpQueryAction, type WarpRegistryConfigInfo, type WarpRegistryInfo, type WarpResulutionPath, type WarpSearchHit, type WarpSearchResult, type WarpSecret, WarpSerializer, type WarpStructValue, type WarpText, type WarpTransferAction, type WarpTrustStatus, type WarpTypeHandler, WarpTypeRegistry, type WarpUserWallets, WarpValidator, type WarpVarPlaceholder, type WarpWalletDetails, address, applyOutputToMessages, asset, biguint, bool, buildMappedOutput, buildNestedPayload, bytesToBase64, bytesToHex, cleanWarpIdentifier, createAuthHeaders, createAuthMessage, createCryptoProvider, createHttpAuthHeaders, createSignableMessage, createWarpI18nText, createWarpIdentifier, evaluateOutputCommon, extractCollectOutput, extractIdentifierInfoFromUrl, extractQueryStringFromIdentifier, extractQueryStringFromUrl, extractResolvedInputValues, extractWarpSecrets, findWarpAdapterForChain, getCryptoProvider, getEventNameFromWarp, getLatestProtocolIdentifier, getNextInfo, getProviderConfig, getRandomBytes, getRandomHex, getWarpActionByIndex, getWarpBrandLogoUrl, getWarpInfoFromIdentifier, getWarpPrimaryAction, getWarpWalletAddress, getWarpWalletAddressFromConfig, getWarpWalletMnemonic, getWarpWalletMnemonicFromConfig, getWarpWalletPrivateKey, getWarpWalletPrivateKeyFromConfig, hasInputPrefix, hex, isEqualWarpIdentifier, isWarpActionAutoExecute, isWarpI18nText, mergeNestedPayload, option, parseOutputOutIndex, parseSignedMessage, replacePlaceholders, resolveWarpText, safeWindow, setCryptoProvider, shiftBigintBy, splitInput, string, struct, testCryptoAvailability, toInputPayloadValue, toPreviewText, tuple, uint16, uint32, uint64, uint8, validateSignedMessage, vector };
|
package/dist/index.js
CHANGED
|
@@ -1,2 +1,2 @@
|
|
|
1
|
-
"use strict";var nr=Object.create;var Y=Object.defineProperty;var ir=Object.getOwnPropertyDescriptor;var ar=Object.getOwnPropertyNames;var sr=Object.getPrototypeOf,or=Object.prototype.hasOwnProperty;var pr=(n,t)=>{for(var r in t)Y(n,r,{get:t[r],enumerable:!0})},Rt=(n,t,r,e)=>{if(t&&typeof t=="object"||typeof t=="function")for(let i of ar(t))!or.call(n,i)&&i!==r&&Y(n,i,{get:()=>t[i],enumerable:!(e=ir(t,i))||e.enumerable});return n};var tt=(n,t,r)=>(r=n!=null?nr(sr(n)):{},Rt(t||!n||!n.__esModule?Y(r,"default",{value:n,enumerable:!0}):r,n)),cr=n=>Rt(Y({},"__esModule",{value:!0}),n);var _r={};pr(_r,{BrowserCryptoProvider:()=>rt,CacheTtl:()=>St,NodeCryptoProvider:()=>et,WARP_LANGUAGES:()=>Wr,WarpBrandBuilder:()=>Ct,WarpBuilder:()=>wt,WarpCache:()=>K,WarpCacheKey:()=>It,WarpChainName:()=>Bt,WarpClient:()=>bt,WarpConfig:()=>R,WarpConstants:()=>o,WarpExecutor:()=>_,WarpFactory:()=>L,WarpIndex:()=>X,WarpInputTypes:()=>d,WarpInterpolator:()=>P,WarpLinkBuilder:()=>H,WarpLinkDetecter:()=>Z,WarpLogger:()=>C,WarpProtocolVersions:()=>N,WarpSerializer:()=>v,WarpTypeRegistry:()=>Tt,WarpValidator:()=>G,address:()=>Dr,applyOutputToMessages:()=>Wt,asset:()=>vt,biguint:()=>Lr,bool:()=>jr,buildMappedOutput:()=>M,buildNestedPayload:()=>Nt,bytesToBase64:()=>fr,bytesToHex:()=>$t,cleanWarpIdentifier:()=>z,createAuthHeaders:()=>pt,createAuthMessage:()=>ot,createCryptoProvider:()=>hr,createHttpAuthHeaders:()=>Er,createSignableMessage:()=>Lt,createWarpI18nText:()=>Ar,createWarpIdentifier:()=>it,evaluateOutputCommon:()=>Ht,extractCollectOutput:()=>st,extractIdentifierInfoFromUrl:()=>j,extractQueryStringFromIdentifier:()=>mt,extractQueryStringFromUrl:()=>ht,extractWarpSecrets:()=>mr,findWarpAdapterForChain:()=>g,getCryptoProvider:()=>ut,getEventNameFromWarp:()=>lr,getLatestProtocolIdentifier:()=>D,getNextInfo:()=>At,getProviderConfig:()=>br,getRandomBytes:()=>dt,getRandomHex:()=>ft,getWarpActionByIndex:()=>I,getWarpBrandLogoUrl:()=>ur,getWarpInfoFromIdentifier:()=>b,getWarpPrimaryAction:()=>B,getWarpWalletAddress:()=>jt,getWarpWalletAddressFromConfig:()=>S,getWarpWalletMnemonic:()=>qt,getWarpWalletMnemonicFromConfig:()=>Vr,getWarpWalletPrivateKey:()=>Dt,getWarpWalletPrivateKeyFromConfig:()=>$r,hasInputPrefix:()=>wr,hex:()=>qr,isEqualWarpIdentifier:()=>xr,isWarpActionAutoExecute:()=>nt,isWarpI18nText:()=>yr,mergeNestedPayload:()=>xt,option:()=>kr,parseOutputOutIndex:()=>Ft,parseSignedMessage:()=>Br,replacePlaceholders:()=>$,resolveWarpText:()=>k,safeWindow:()=>lt,setCryptoProvider:()=>dr,shiftBigintBy:()=>q,splitInput:()=>at,string:()=>Or,struct:()=>Mr,testCryptoAvailability:()=>gr,toInputPayloadValue:()=>Ut,toPreviewText:()=>gt,tuple:()=>zr,uint16:()=>Ur,uint32:()=>Hr,uint64:()=>Fr,uint8:()=>Nr,validateSignedMessage:()=>Rr,vector:()=>Gr});module.exports=cr(_r);var Bt=(p=>(p.Multiversx="multiversx",p.Vibechain="vibechain",p.Sui="sui",p.Ethereum="ethereum",p.Base="base",p.Arbitrum="arbitrum",p.Somnia="somnia",p.Fastset="fastset",p))(Bt||{}),o={HttpProtocolPrefix:"http",IdentifierParamName:"warp",IdentifierParamSeparator:":",IdentifierChainDefault:"multiversx",IdentifierType:{Alias:"alias",Hash:"hash"},IdentifierAliasMarker:"@",Globals:{UserWallet:{Placeholder:"USER_WALLET",Accessor:n=>n.config.user?.wallets?.[n.adapter.chainInfo.name]},UserWalletPublicKey:{Placeholder:"USER_WALLET_PUBLICKEY",Accessor:n=>{if(!n.adapter.wallet)return null;try{return n.adapter.wallet.getPublicKey()||null}catch{return null}}},ChainApiUrl:{Placeholder:"CHAIN_API",Accessor:n=>n.adapter.chainInfo.defaultApiUrl},ChainAddressHrp:{Placeholder:"CHAIN_ADDRESS_HRP",Accessor:n=>n.adapter.chainInfo.addressHrp}},Vars:{Query:"query",Env:"env"},ArgParamsSeparator:":",ArgCompositeSeparator:"|",ArgListSeparator:",",ArgStructSeparator:";",Transform:{Prefix:"transform:"},Source:{UserWallet:"user:wallet"},Position:{Payload:"payload:"},Alerts:{TriggerEventPrefix:"event"}},d={Option:"option",Vector:"vector",Tuple:"tuple",Struct:"struct",String:"string",Uint8:"uint8",Uint16:"uint16",Uint32:"uint32",Uint64:"uint64",Uint128:"uint128",Uint256:"uint256",Biguint:"biguint",Bool:"bool",Address:"address",Asset:"asset",Hex:"hex"},lt=typeof window<"u"?window:{open:()=>{}};var N={Warp:"3.0.0",Brand:"0.2.0",Abi:"0.1.0"},R={LatestWarpSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/v${N.Warp}.schema.json`,LatestBrandSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/brand/v${N.Brand}.schema.json`,DefaultClientUrl:n=>n==="devnet"?"https://devnet.usewarp.to":n==="testnet"?"https://testnet.usewarp.to":"https://usewarp.to",SuperClientUrls:["https://usewarp.to","https://testnet.usewarp.to","https://devnet.usewarp.to"],AvailableActionInputSources:["field","query",o.Source.UserWallet,"hidden"],AvailableActionInputTypes:["string","uint8","uint16","uint32","uint64","biguint","boolean","address"],AvailableActionInputPositions:["receiver","value","transfer","arg:1","arg:2","arg:3","arg:4","arg:5","arg:6","arg:7","arg:8","arg:9","arg:10","data","ignore"]};var lr=(n,t)=>{let r=n.alerts?.[t];if(!r)return null;let e=o.Alerts.TriggerEventPrefix+o.ArgParamsSeparator;if(!r.trigger.startsWith(e))return null;let i=r.trigger.replace(e,"");return i||null};var ur=(n,t)=>typeof n.logo=="string"?n.logo:n.logo[t?.scheme??"light"];var rt=class{async getRandomBytes(t){if(typeof window>"u"||!window.crypto)throw new Error("Web Crypto API not available");let r=new Uint8Array(t);return window.crypto.getRandomValues(r),r}},et=class{async getRandomBytes(t){if(typeof process>"u"||!process.versions?.node)throw new Error("Node.js environment not detected");try{let r=await import("crypto");return new Uint8Array(r.randomBytes(t))}catch(r){throw new Error(`Node.js crypto not available: ${r instanceof Error?r.message:"Unknown error"}`)}}},U=null;function ut(){if(U)return U;if(typeof window<"u"&&window.crypto)return U=new rt,U;if(typeof process<"u"&&process.versions?.node)return U=new et,U;throw new Error("No compatible crypto provider found. Please provide a crypto provider using setCryptoProvider() or ensure Web Crypto API is available.")}function dr(n){U=n}async function dt(n,t){if(n<=0||!Number.isInteger(n))throw new Error("Size must be a positive integer");return(t||ut()).getRandomBytes(n)}function $t(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");let t=new Array(n.length*2);for(let r=0;r<n.length;r++){let e=n[r];t[r*2]=(e>>>4).toString(16),t[r*2+1]=(e&15).toString(16)}return t.join("")}function fr(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");if(typeof Buffer<"u")return Buffer.from(n).toString("base64");if(typeof btoa<"u"){let t=String.fromCharCode.apply(null,Array.from(n));return btoa(t)}else throw new Error("Base64 encoding not available in this environment")}async function ft(n,t){if(n<=0||n%2!==0)throw new Error("Length must be a positive even number");let r=await dt(n/2,t);return $t(r)}async function gr(){let n={randomBytes:!1,environment:"unknown"};try{typeof window<"u"&&window.crypto?n.environment="browser":typeof process<"u"&&process.versions?.node&&(n.environment="nodejs"),await dt(16),n.randomBytes=!0}catch{}return n}function hr(){return ut()}var mr=n=>Object.values(n.vars||{}).filter(t=>t.startsWith(`${o.Vars.Env}:`)).map(t=>{let r=t.replace(`${o.Vars.Env}:`,"").trim(),[e,i]=r.split(o.ArgCompositeSeparator);return{key:e,description:i||null}});var g=(n,t)=>{let r=t.find(e=>e.chainInfo.name.toLowerCase()===n.toLowerCase());if(!r)throw new Error(`Adapter not found for chain: ${n}`);return r},D=n=>{if(n==="warp")return`warp:${N.Warp}`;if(n==="brand")return`brand:${N.Brand}`;if(n==="abi")return`abi:${N.Abi}`;throw new Error(`getLatestProtocolIdentifier: Invalid protocol name: ${n}`)},I=(n,t)=>n?.actions[t-1],B=n=>{if(n.actions.length===0)throw new Error(`Warp has no primary action: ${n.meta?.identifier}`);let t=n.actions.find(s=>s.primary===!0);if(t)return{action:t,index:n.actions.indexOf(t)};let r=["transfer","contract","query","collect"],e=n.actions.find(s=>r.includes(s.type));return e?{action:e,index:n.actions.indexOf(e)}:{action:n.actions[0],index:0}},nt=(n,t)=>{if(n.auto===!1)return!1;if(n.type==="link"){if(n.auto===!0)return!0;let{action:r}=B(t);return n===r}return!0},q=(n,t)=>{let r=n.toString(),[e,i=""]=r.split("."),s=Math.abs(t);if(t>0)return BigInt(e+i.padEnd(s,"0"));if(t<0){let a=e+i;if(s>=a.length)return 0n;let c=a.slice(0,-s)||"0";return BigInt(c)}else return r.includes(".")?BigInt(r.split(".")[0]):BigInt(r)},gt=(n,t=100)=>{if(!n)return"";let r=n.replace(/<\/?(h[1-6])[^>]*>/gi," - ").replace(/<\/?(p|div|ul|ol|li|br|hr)[^>]*>/gi," ").replace(/<[^>]+>/g,"").replace(/\s+/g," ").trim();return r=r.startsWith("- ")?r.slice(2):r,r=r.length>t?r.substring(0,r.lastIndexOf(" ",t))+"...":r,r},$=(n,t)=>n.replace(/\{\{([^}]+)\}\}/g,(r,e)=>t[e]||"");var Wr={de:"German",en:"English",es:"Spanish",fr:"French",it:"Italian",pt:"Portuguese",ru:"Russian",zh:"Chinese",ja:"Japanese",ko:"Korean",ar:"Arabic",hi:"Hindi",nl:"Dutch",sv:"Swedish",da:"Danish",no:"Norwegian",fi:"Finnish",pl:"Polish",tr:"Turkish",el:"Greek",he:"Hebrew",th:"Thai",vi:"Vietnamese",id:"Indonesian",ms:"Malay",tl:"Tagalog"},k=(n,t)=>{let r=t?.preferences?.locale||"en";if(typeof n=="string")return n;if(typeof n=="object"&&n!==null){if(r in n)return n[r];if("en"in n)return n.en;let e=Object.keys(n);if(e.length>0)return n[e[0]]}return""},yr=n=>typeof n=="object"&&n!==null&&Object.keys(n).length>0,Ar=n=>n;var z=n=>n.startsWith(o.IdentifierAliasMarker)?n.replace(o.IdentifierAliasMarker,""):n,xr=(n,t)=>!n||!t?!1:z(n)===z(t),it=(n,t,r)=>{let e=z(r);return t===o.IdentifierType.Alias?o.IdentifierAliasMarker+n+o.IdentifierParamSeparator+e:n+o.IdentifierParamSeparator+t+o.IdentifierParamSeparator+e},b=n=>{let t=decodeURIComponent(n).trim(),r=z(t),e=r.split("?")[0],i=Vt(e);if(e.length===64&&/^[a-fA-F0-9]+$/.test(e))return{chain:o.IdentifierChainDefault,type:o.IdentifierType.Hash,identifier:r,identifierBase:e};if(i.length===2&&/^[a-zA-Z0-9]{62}$/.test(i[0])&&/^[a-zA-Z0-9]{2}$/.test(i[1]))return null;if(i.length===3){let[s,a,c]=i;if(a===o.IdentifierType.Alias||a===o.IdentifierType.Hash){let p=r.includes("?")?c+r.substring(r.indexOf("?")):c;return{chain:s,type:a,identifier:p,identifierBase:c}}}if(i.length===2){let[s,a]=i;if(s===o.IdentifierType.Alias||s===o.IdentifierType.Hash){let c=r.includes("?")?a+r.substring(r.indexOf("?")):a;return{chain:o.IdentifierChainDefault,type:s,identifier:c,identifierBase:a}}}if(i.length===2){let[s,a]=i;if(s!==o.IdentifierType.Alias&&s!==o.IdentifierType.Hash){let c=r.includes("?")?a+r.substring(r.indexOf("?")):a,p=vr(a,s)?o.IdentifierType.Hash:o.IdentifierType.Alias;return{chain:s,type:p,identifier:c,identifierBase:a}}}return{chain:o.IdentifierChainDefault,type:o.IdentifierType.Alias,identifier:r,identifierBase:e}},j=n=>{let t=new URL(n),e=t.searchParams.get(o.IdentifierParamName);if(e||(e=t.pathname.split("/")[1]),!e)return null;let i=decodeURIComponent(e);return b(i)},vr=(n,t)=>/^[a-fA-F0-9]+$/.test(n)&&n.length>32,Cr=n=>{let t=o.IdentifierParamSeparator,r=n.indexOf(t);return r!==-1?{separator:t,index:r}:null},Vt=n=>{let t=Cr(n);if(!t)return[n];let{separator:r,index:e}=t,i=n.substring(0,e),s=n.substring(e+r.length),a=Vt(s);return[i,...a]},ht=n=>{try{let t=new URL(n),r=new URLSearchParams(t.search);return r.delete(o.IdentifierParamName),r.toString()||null}catch{return null}},mt=n=>{let t=n.indexOf("?");if(t===-1||t===n.length-1)return null;let r=n.substring(t+1);return r.length>0?r:null};var at=n=>{let[t,...r]=n.split(/:(.*)/,2);return[t,r[0]||""]},wr=n=>{let t=new Set(Object.values(d));if(!n.includes(o.ArgParamsSeparator))return!1;let r=at(n)[0];return t.has(r)};var Wt=(n,t,r)=>{let e=Object.entries(n.messages||{}).map(([i,s])=>{let a=k(s,r);return[i,$(a,t)]});return Object.fromEntries(e)};var Ot=tt(require("qr-code-styling"),1);var H=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(o.HttpProtocolPrefix)?!!j(t):!1}build(t,r,e){let i=this.config.clientUrl||R.DefaultClientUrl(this.config.env),s=g(t,this.adapters),a=r===o.IdentifierType.Alias?e:r+o.IdentifierParamSeparator+e,c=s.chainInfo.name+o.IdentifierParamSeparator+a,p=encodeURIComponent(c);return R.SuperClientUrls.includes(i)?`${i}/${p}`:`${i}?${o.IdentifierParamName}=${p}`}buildFromPrefixedIdentifier(t){let r=b(t);if(!r)return null;let e=g(r.chain,this.adapters);return e?this.build(e.chainInfo.name,r.type,r.identifierBase):null}generateQrCode(t,r,e,i=512,s="white",a="black",c="#23F7DD"){let p=g(t,this.adapters),l=this.build(p.chainInfo.name,r,e);return new Ot.default({type:"svg",width:i,height:i,data:String(l),margin:16,qrOptions:{typeNumber:0,mode:"Byte",errorCorrectionLevel:"Q"},backgroundOptions:{color:s},dotsOptions:{type:"extra-rounded",color:a},cornersSquareOptions:{type:"extra-rounded",color:a},cornersDotOptions:{type:"square",color:a},imageOptions:{hideBackgroundDots:!0,imageSize:.4,margin:8},image:`data:image/svg+xml;utf8,<svg width="16" height="16" viewBox="0 0 100 100" fill="${encodeURIComponent(c)}" xmlns="http://www.w3.org/2000/svg"><path d="M54.8383 50.0242L95 28.8232L88.2456 16L51.4717 30.6974C50.5241 31.0764 49.4759 31.0764 48.5283 30.6974L11.7544 16L5 28.8232L45.1616 50.0242L5 71.2255L11.7544 84.0488L48.5283 69.351C49.4759 68.9724 50.5241 68.9724 51.4717 69.351L88.2456 84.0488L95 71.2255L54.8383 50.0242Z"/></svg>`})}};var Sr="https://",At=(n,t,r,e,i)=>{let s=r.actions?.[e-1]?.next||r.next||null;if(!s)return null;if(s.startsWith(Sr))return[{identifier:null,url:s}];let[a,c]=s.split("?");if(!c){let m=$(a,{...r.vars,...i});return[{identifier:m,url:yt(t,m,n)}]}let p=c.match(/{{([^}]+)\[\](\.[^}]+)?}}/g)||[];if(p.length===0){let m=$(c,{...r.vars,...i}),y=m?`${a}?${m}`:a;return[{identifier:y,url:yt(t,y,n)}]}let l=p[0];if(!l)return[];let u=l.match(/{{([^[]+)\[\]/),f=u?u[1]:null;if(!f||i[f]===void 0)return[];let h=Array.isArray(i[f])?i[f]:[i[f]];if(h.length===0)return[];let W=p.filter(m=>m.includes(`{{${f}[]`)).map(m=>{let y=m.match(/\[\](\.[^}]+)?}}/),x=y&&y[1]||"";return{placeholder:m,field:x?x.slice(1):"",regex:new RegExp(m.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),"g")}});return h.map(m=>{let y=c;for(let{regex:E,field:O}of W){let T=O?Ir(m,O):m;if(T==null)return null;y=y.replace(E,T)}if(y.includes("{{")||y.includes("}}"))return null;let x=y?`${a}?${y}`:a;return{identifier:x,url:yt(t,x,n)}}).filter(m=>m!==null)},yt=(n,t,r)=>{let[e,i]=t.split("?"),s=b(e)||{chain:o.IdentifierChainDefault,type:"alias",identifier:e,identifierBase:e},a=g(s.chain,n);if(!a)throw new Error(`Adapter not found for chain ${s.chain}`);let c=new H(r,n).build(a.chainInfo.name,s.type,s.identifierBase);if(!i)return c;let p=new URL(c);return new URLSearchParams(i).forEach((l,u)=>p.searchParams.set(u,l)),p.toString().replace(/\/\?/,"?")},Ir=(n,t)=>t.split(".").reduce((r,e)=>r?.[e],n);function Nt(n,t,r){return n.startsWith(o.Position.Payload)?n.slice(o.Position.Payload.length).split(".").reduceRight((e,i,s,a)=>({[i]:s===a.length-1?{[t]:r}:e}),{}):{[t]:r}}function xt(n,t){if(!n)return{...t};if(!t)return{...n};let r={...n};return Object.keys(t).forEach(e=>{r[e]&&typeof r[e]=="object"&&typeof t[e]=="object"?r[e]=xt(r[e],t[e]):r[e]=t[e]}),r}function Ut(n,t){if(!n.value)return null;let r=t.stringToNative(n.value)[1];if(n.input.type==="biguint")return r.toString();if(n.input.type==="asset"){let{identifier:e,amount:i}=r;return{identifier:e,amount:i.toString()}}else return r}function M(n,t){let r={};return n.forEach(e=>{let i=e.input.as||e.input.name,s=Ut(e,t);if(e.input.position&&typeof e.input.position=="string"&&e.input.position.startsWith(o.Position.Payload)){let a=Nt(e.input.position,i,s);r=xt(r,a)}else r[i]=s}),r}var br=(n,t,r,e)=>{let i=n.preferences?.providers?.[t];return i?.[r]?typeof i[r]=="string"?{url:i[r]}:i[r]:{url:e}};var F=class F{static debug(...t){F.isTestEnv||console.debug(...t)}static info(...t){F.isTestEnv||console.info(...t)}static warn(...t){F.isTestEnv||console.warn(...t)}static error(...t){F.isTestEnv||console.error(...t)}};F.isTestEnv=typeof process<"u"&&process.env.JEST_WORKER_ID!==void 0;var C=F;var st=async(n,t,r,e,i,s)=>{let a=[],c=[],p={};for(let[u,f]of Object.entries(n.output||{})){if(f.startsWith(o.Transform.Prefix))continue;let h=Ft(f);if(h!==null&&h!==r){p[u]=null;continue}let[W,...A]=f.split("."),m=(y,x)=>x.reduce((E,O)=>E&&E[O]!==void 0?E[O]:null,y);if(W==="out"||W.startsWith("out[")){let y=A.length===0?t?.data||t:m(t,A);a.push(String(y)),c.push(y),p[u]=y}else p[u]=f}let l=M(e,i);return{values:{string:a,native:c,mapped:l},output:await Ht(n,p,r,e,i,s)}},Ht=async(n,t,r,e,i,s)=>{if(!n.output)return t;let a={...t};return a=Tr(a,n,r,e,i),a=await Pr(n,a,s.transform?.runner||null),a},Tr=(n,t,r,e,i)=>{let s={...n},a=I(t,r)?.inputs||[];for(let[c,p]of Object.entries(s))if(typeof p=="string"&&p.startsWith("in.")){let l=p.split(".")[1],u=a.findIndex(h=>h.as===l||h.name===l),f=u!==-1?e[u]?.value:null;s[c]=f?i.stringToNative(f)[1]:null}return s},Pr=async(n,t,r)=>{if(!n.output)return t;let e={...t},i=Object.entries(n.output).filter(([,s])=>s.startsWith(o.Transform.Prefix)).map(([s,a])=>({key:s,code:a.substring(o.Transform.Prefix.length)}));if(i.length>0&&(!r||typeof r.run!="function"))throw new Error("Transform output is defined but no transform runner is configured. Provide a runner via config.transform.runner.");for(let{key:s,code:a}of i)try{e[s]=await r.run(a,e)}catch(c){C.error(`Transform error for output '${s}':`,c),e[s]=null}return e},Ft=n=>{if(n==="out")return 1;let t=n.match(/^out\[(\d+)\]/);return t?parseInt(t[1],10):(n.startsWith("out.")||n.startsWith("event."),null)};async function Lt(n,t,r,e=5){let i=await ft(64,r),s=new Date(Date.now()+e*60*1e3).toISOString();return{message:JSON.stringify({wallet:n,nonce:i,expiresAt:s,purpose:t}),nonce:i,expiresAt:s}}async function ot(n,t,r,e){let i=e||`prove-wallet-ownership for app "${t}"`;return Lt(n,i,r,5)}function pt(n,t,r,e){return{"X-Signer-Wallet":n,"X-Signer-Signature":t,"X-Signer-Nonce":r,"X-Signer-ExpiresAt":e}}async function Er(n,t,r,e){let{message:i,nonce:s,expiresAt:a}=await ot(n,r,e),c=await t(i);return pt(n,c,s,a)}function Rr(n){let t=new Date(n).getTime();return Date.now()<t}function Br(n){try{let t=JSON.parse(n);if(!t.wallet||!t.nonce||!t.expiresAt||!t.purpose)throw new Error("Invalid signed message: missing required fields");return t}catch(t){throw new Error(`Failed to parse signed message: ${t instanceof Error?t.message:"Unknown error"}`)}}var jt=n=>n?typeof n=="string"?n:n.address:null,S=(n,t)=>jt(n.user?.wallets?.[t]||null),Dt=n=>n?typeof n=="string"?n:n.privateKey:null,qt=n=>n?typeof n=="string"?n:n.mnemonic:null,$r=(n,t)=>Dt(n.user?.wallets?.[t]||null)?.trim()||null,Vr=(n,t)=>qt(n.user?.wallets?.[t]||null)?.trim()||null;var v=class{constructor(t){this.typeRegistry=t?.typeRegistry}nativeToString(t,r){if(t===d.Tuple&&Array.isArray(r)){if(r.length===0)return t+o.ArgParamsSeparator;if(r.every(e=>typeof e=="string"&&e.includes(o.ArgParamsSeparator))){let e=r.map(a=>this.getTypeAndValue(a)),i=e.map(([a])=>a),s=e.map(([,a])=>a);return`${t}(${i.join(o.ArgCompositeSeparator)})${o.ArgParamsSeparator}${s.join(o.ArgListSeparator)}`}return t+o.ArgParamsSeparator+r.join(o.ArgListSeparator)}if(t===d.Struct&&typeof r=="object"&&r!==null&&!Array.isArray(r)){let e=r;if(!e._name)throw new Error("Struct objects must have a _name property to specify the struct name");let i=e._name,s=Object.keys(e).filter(c=>c!=="_name");if(s.length===0)return`${t}(${i})${o.ArgParamsSeparator}`;let a=s.map(c=>{let[p,l]=this.getTypeAndValue(e[c]);return`(${c}${o.ArgParamsSeparator}${p})${l}`});return`${t}(${i})${o.ArgParamsSeparator}${a.join(o.ArgListSeparator)}`}if(t===d.Vector&&Array.isArray(r)){if(r.length===0)return`${t}${o.ArgParamsSeparator}`;if(r.every(e=>typeof e=="string"&&e.includes(o.ArgParamsSeparator))){let e=r[0],i=e.indexOf(o.ArgParamsSeparator),s=e.substring(0,i),a=r.map(p=>{let l=p.indexOf(o.ArgParamsSeparator),u=p.substring(l+1);return s.startsWith(d.Tuple)?u.replace(o.ArgListSeparator,o.ArgCompositeSeparator):u}),c=s.startsWith(d.Struct)?o.ArgStructSeparator:o.ArgListSeparator;return t+o.ArgParamsSeparator+s+o.ArgParamsSeparator+a.join(c)}return t+o.ArgParamsSeparator+r.join(o.ArgListSeparator)}if(t===d.Asset&&typeof r=="object"&&r&&"identifier"in r&&"amount"in r)return"decimals"in r?d.Asset+o.ArgParamsSeparator+r.identifier+o.ArgCompositeSeparator+String(r.amount)+o.ArgCompositeSeparator+String(r.decimals):d.Asset+o.ArgParamsSeparator+r.identifier+o.ArgCompositeSeparator+String(r.amount);if(this.typeRegistry){let e=this.typeRegistry.getHandler(t);if(e)return e.nativeToString(r);let i=this.typeRegistry.resolveType(t);if(i!==t)return this.nativeToString(i,r)}return t+o.ArgParamsSeparator+(r?.toString()??"")}stringToNative(t){let r=t.split(o.ArgParamsSeparator),e=r[0],i=r.slice(1).join(o.ArgParamsSeparator);if(e==="null")return[e,null];if(e===d.Option){let[s,a]=i.split(o.ArgParamsSeparator);return[d.Option+o.ArgParamsSeparator+s,a||null]}if(e===d.Vector){let s=i.indexOf(o.ArgParamsSeparator),a=i.substring(0,s),c=i.substring(s+1),p=a.startsWith(d.Struct)?o.ArgStructSeparator:o.ArgListSeparator,u=(c?c.split(p):[]).map(f=>this.stringToNative(a+o.ArgParamsSeparator+f)[1]);return[d.Vector+o.ArgParamsSeparator+a,u]}else if(e.startsWith(d.Tuple)){let s=e.match(/\(([^)]+)\)/)?.[1]?.split(o.ArgCompositeSeparator),c=i.split(o.ArgCompositeSeparator).map((p,l)=>this.stringToNative(`${s[l]}${o.IdentifierParamSeparator}${p}`)[1]);return[e,c]}else if(e.startsWith(d.Struct)){let s=e.match(/\(([^)]+)\)/);if(!s)throw new Error("Struct type must include a name in the format struct(Name)");let c={_name:s[1]};return i&&i.split(o.ArgListSeparator).forEach(p=>{let l=p.match(new RegExp(`^\\(([^${o.ArgParamsSeparator}]+)${o.ArgParamsSeparator}([^)]+)\\)(.+)$`));if(l){let[,u,f,h]=l;c[u]=this.stringToNative(`${f}${o.IdentifierParamSeparator}${h}`)[1]}}),[e,c]}else{if(e===d.String)return[e,i];if(e===d.Uint8||e===d.Uint16||e===d.Uint32)return[e,Number(i)];if(e===d.Uint64||e===d.Uint128||e===d.Uint256||e===d.Biguint)return[e,BigInt(i||0)];if(e===d.Bool)return[e,i==="true"];if(e===d.Address)return[e,i];if(e===d.Hex)return[e,i];if(e===d.Asset){let[s,a]=i.split(o.ArgCompositeSeparator),c={identifier:s,amount:BigInt(a)};return[e,c]}}if(this.typeRegistry){let s=this.typeRegistry.getHandler(e);if(s){let c=s.stringToNative(i);return[e,c]}let a=this.typeRegistry.resolveType(e);if(a!==e){let[c,p]=this.stringToNative(`${a}:${i}`);return[e,p]}}throw new Error(`WarpArgSerializer (stringToNative): Unsupported input type: ${e}`)}getTypeAndValue(t){if(typeof t=="string"&&t.includes(o.ArgParamsSeparator)){let[r,e]=t.split(o.ArgParamsSeparator);return[r,e]}return typeof t=="number"?[d.Uint32,t]:typeof t=="bigint"?[d.Uint64,t]:typeof t=="boolean"?[d.Bool,t]:[typeof t,t]}};var Or=n=>new v().nativeToString(d.String,n),Nr=n=>new v().nativeToString(d.Uint8,n),Ur=n=>new v().nativeToString(d.Uint16,n),Hr=n=>new v().nativeToString(d.Uint32,n),Fr=n=>new v().nativeToString(d.Uint64,n),Lr=n=>new v().nativeToString(d.Biguint,n),jr=n=>new v().nativeToString(d.Bool,n),Dr=n=>new v().nativeToString(d.Address,n),vt=n=>new v().nativeToString(d.Asset,n),qr=n=>new v().nativeToString(d.Hex,n),kr=(n,t)=>{if(t===null)return d.Option+o.ArgParamsSeparator;let r=n(t),e=r.indexOf(o.ArgParamsSeparator),i=r.substring(0,e),s=r.substring(e+1);return d.Option+o.ArgParamsSeparator+i+o.ArgParamsSeparator+s},zr=(...n)=>new v().nativeToString(d.Tuple,n),Mr=n=>new v().nativeToString(d.Struct,n),Gr=n=>new v().nativeToString(d.Vector,n);var kt=tt(require("ajv"),1);var Ct=class{constructor(t){this.pendingBrand={protocol:D("brand"),name:"",description:"",logo:""};this.config=t}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.ensureValidSchema(e),e}setName(t){return this.pendingBrand.name=t,this}setDescription(t){return this.pendingBrand.description=t,this}setLogo(t){return this.pendingBrand.logo=t,this}setUrls(t){return this.pendingBrand.urls=t,this}setColors(t){return this.pendingBrand.colors=t,this}setCta(t){return this.pendingBrand.cta=t,this}async build(){return this.ensureWarpText(this.pendingBrand.name,"name is required"),this.ensureWarpText(this.pendingBrand.description,"description is required"),typeof this.pendingBrand.logo=="string"&&this.ensure(this.pendingBrand.logo,"logo is required"),await this.ensureValidSchema(this.pendingBrand),this.pendingBrand}ensure(t,r){if(!t)throw new Error(`Warp: ${r}`)}ensureWarpText(t,r){if(!t)throw new Error(`Warp: ${r}`);if(typeof t=="object"&&Object.keys(t).length===0)throw new Error(`Warp: ${r}`)}async ensureValidSchema(t){let r=this.config.schema?.brand||R.LatestBrandSchemaUrl,i=await(await fetch(r)).json(),s=new kt.default,a=s.compile(i);if(!a(t))throw new Error(`BrandBuilder: schema validation failed: ${s.errorsText(a.errors)}`)}};var zt=tt(require("ajv"),1);var G=class{constructor(t){this.config=t;this.config=t}async validate(t){let r=[];return r.push(...this.validatePrimaryAction(t)),r.push(...this.validateMaxOneValuePosition(t)),r.push(...this.validateVariableNamesAndResultNamesUppercase(t)),r.push(...this.validateAbiIsSetIfApplicable(t)),r.push(...await this.validateSchema(t)),{valid:r.length===0,errors:r}}validatePrimaryAction(t){try{let{action:r}=B(t);return r?[]:["Primary action is required"]}catch(r){return[r instanceof Error?r.message:"Primary action is required"]}}validateMaxOneValuePosition(t){return t.actions.filter(e=>e.inputs?e.inputs.some(i=>i.position==="value"):!1).length>1?["Only one value position action is allowed"]:[]}validateVariableNamesAndResultNamesUppercase(t){let r=[],e=(i,s)=>{i&&Object.keys(i).forEach(a=>{a!==a.toUpperCase()&&r.push(`${s} name '${a}' must be uppercase`)})};return e(t.vars,"Variable"),e(t.output,"Output"),r}validateAbiIsSetIfApplicable(t){let r=t.actions.some(a=>a.type==="contract"),e=t.actions.some(a=>a.type==="query");if(!r&&!e)return[];let i=t.actions.some(a=>a.abi),s=Object.values(t.output||{}).some(a=>a.startsWith("out.")||a.startsWith("event."));return t.output&&!i&&s?["ABI is required when output is present for contract or query actions"]:[]}async validateSchema(t){try{let r=this.config.schema?.warp||R.LatestWarpSchemaUrl,i=await(await fetch(r)).json(),s=new zt.default({strict:!1}),a=s.compile(i);return a(t)?[]:[`Schema validation failed: ${s.errorsText(a.errors)}`]}catch(r){return[`Schema validation failed: ${r instanceof Error?r.message:String(r)}`]}}};var wt=class{constructor(t){this.config=t;this.pendingWarp={protocol:D("warp"),chain:"",name:"",title:"",description:null,preview:"",actions:[]}}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.validate(e),e}async createFromUrl(t){return await(await fetch(t)).json()}setChain(t){return this.pendingWarp.chain=t,this}setName(t){return this.pendingWarp.name=t,this}setTitle(t){return this.pendingWarp.title=t,this}setDescription(t){return this.pendingWarp.description=t,this}setPreview(t){return this.pendingWarp.preview=t,this}setActions(t){return this.pendingWarp.actions=t,this}addAction(t){return this.pendingWarp.actions.push(t),this}async build(){return this.ensure(this.pendingWarp.protocol,"protocol is required"),this.ensure(this.pendingWarp.name,"name is required"),this.ensureWarpText(this.pendingWarp.title,"title is required"),this.ensure(this.pendingWarp.actions.length>0,"actions are required"),await this.validate(this.pendingWarp),this.pendingWarp}getDescriptionPreview(t,r=100){return gt(t,r)}ensure(t,r){if(!t)throw new Error(r)}ensureWarpText(t,r){if(!t)throw new Error(r);if(typeof t=="object"&&!t.en)throw new Error(r)}async validate(t){let e=await new G(this.config).validate(t);if(!e.valid)throw new Error(e.errors.join(`
|
|
2
|
-
`))}};var J=class{constructor(t="warp-cache"){this.prefix=t}getKey(t){return`${this.prefix}:${t}`}get(t){try{let r=localStorage.getItem(this.getKey(t));if(!r)return null;let e=JSON.parse(r,Qr);return Date.now()>e.expiresAt?(localStorage.removeItem(this.getKey(t)),null):e.value}catch{return null}}set(t,r,e){let i={value:r,expiresAt:Date.now()+e*1e3};localStorage.setItem(this.getKey(t),JSON.stringify(i,Jr))}forget(t){localStorage.removeItem(this.getKey(t))}clear(){for(let t=0;t<localStorage.length;t++){let r=localStorage.key(t);r?.startsWith(this.prefix)&&localStorage.removeItem(r)}}},Mt=new v,Jr=(n,t)=>typeof t=="bigint"?Mt.nativeToString("biguint",t):t,Qr=(n,t)=>typeof t=="string"&&t.startsWith(d.Biguint+":")?Mt.stringToNative(t)[1]:t;var V=class V{get(t){let r=V.cache.get(t);return r?Date.now()>r.expiresAt?(V.cache.delete(t),null):r.value:null}set(t,r,e){let i=Date.now()+e*1e3;V.cache.set(t,{value:r,expiresAt:i})}forget(t){V.cache.delete(t)}clear(){V.cache.clear()}};V.cache=new Map;var Q=V;var St={OneMinute:60,OneHour:3600,OneDay:3600*24,OneWeek:3600*24*7,OneMonth:3600*24*30,OneYear:3600*24*365},It={Warp:(n,t)=>`warp:${n}:${t}`,WarpAbi:(n,t)=>`warp-abi:${n}:${t}`,WarpExecutable:(n,t,r)=>`warp-exec:${n}:${t}:${r}`,RegistryInfo:(n,t)=>`registry-info:${n}:${t}`,Brand:(n,t)=>`brand:${n}:${t}`,Asset:(n,t,r)=>`asset:${n}:${t}:${r}`},K=class{constructor(t){this.strategy=this.selectStrategy(t)}selectStrategy(t){return t==="localStorage"?new J:t==="memory"?new Q:typeof window<"u"&&window.localStorage?new J:new Q}set(t,r,e){this.strategy.set(t,r,e)}get(t){return this.strategy.get(t)}forget(t){this.strategy.forget(t)}clear(){this.strategy.clear()}};var P=class{constructor(t,r){this.config=t;this.adapter=r}async apply(t,r,e={}){let i=this.applyVars(t,r,e);return await this.applyGlobals(t,i)}async applyGlobals(t,r){let e={...r};return e.actions=await Promise.all(e.actions.map(async i=>await this.applyActionGlobals(i))),e=await this.applyRootGlobals(e,t),e}applyVars(t,r,e={}){if(!r?.vars)return r;let i=S(t,this.adapter.chainInfo.name),s=JSON.stringify(r),a=(c,p)=>{s=s.replace(new RegExp(`{{${c.toUpperCase()}}}`,"g"),p.toString())};return Object.entries(r.vars).forEach(([c,p])=>{if(typeof p!="string")a(c,p);else if(p.startsWith(o.Vars.Query+o.ArgParamsSeparator)){let l=p.slice(o.Vars.Query.length+1),[u,f]=l.split(o.ArgCompositeSeparator),h=t.currentUrl?new URLSearchParams(t.currentUrl.split("?")[1]).get(u):null,A=e.queries?.[u]||null||h;A&&a(c,A)}else if(p.startsWith(o.Vars.Env+o.ArgParamsSeparator)){let l=p.slice(o.Vars.Env.length+1),[u,f]=l.split(o.ArgCompositeSeparator),W={...t.vars,...e.envs}?.[u];W&&a(c,W)}else p===o.Source.UserWallet&&i?a(c,i):a(c,p)}),JSON.parse(s)}async applyRootGlobals(t,r){let e=JSON.stringify(t),i={config:r,adapter:this.adapter};return Object.values(o.Globals).forEach(s=>{let a=s.Accessor(i);a!=null&&(e=e.replace(new RegExp(`{{${s.Placeholder}}}`,"g"),a.toString()))}),JSON.parse(e)}async applyActionGlobals(t){let r=JSON.stringify(t),e={config:this.config,adapter:this.adapter};return Object.values(o.Globals).forEach(i=>{let s=i.Accessor(e);s!=null&&(r=r.replace(new RegExp(`{{${i.Placeholder}}}`,"g"),s.toString()))}),JSON.parse(r)}applyInputs(t,r,e,i){if(!t||typeof t!="string"||!t.includes("{{"))return t;let s=this.applyGlobalsToText(t),a=this.buildInputBag(r,e,i);return $(s,a)}applyGlobalsToText(t){if(!Object.values(o.Globals).map(a=>a.Placeholder).some(a=>t.includes(`{{${a}}}`)))return t;let i={config:this.config,adapter:this.adapter},s=t;return Object.values(o.Globals).forEach(a=>{let c=a.Accessor(i);c!=null&&(s=s.replace(new RegExp(`{{${a.Placeholder}}}`,"g"),c.toString()))}),s}buildInputBag(t,r,e){let i={};return t.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,c]=r.stringToNative(s.value);i[a]=String(c)}),e&&e.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,c]=r.stringToNative(s.value);if(i[`primary.${a}`]=String(c),s.input.type==="asset"&&typeof s.input.position=="object"){let p=c;p&&typeof p=="object"&&"identifier"in p&&"amount"in p&&(i[`primary.${a}.token`]=String(p.identifier),i[`primary.${a}.amount`]=String(p.amount))}}),i}};var L=class{constructor(t,r){this.config=t;this.adapters=r;if(!t.currentUrl)throw new Error("WarpFactory: currentUrl config not set");this.url=new URL(t.currentUrl),this.serializer=new v,this.cache=new K(t.cache?.type)}getSerializer(){return this.serializer}async createExecutable(t,r,e,i={}){let s=I(t,r);if(!s)throw new Error("WarpFactory: Action not found");let a=await this.getChainInfoForWarp(t,e),c=g(a.name,this.adapters),p=new P(this.config,c),l=await p.apply(this.config,t,i),u=I(l,r),{action:f,index:h}=B(l),W=this.getStringTypedInputs(f,e),A=await this.getResolvedInputs(a.name,f,W,p),m=this.getModifiedInputs(A),y=[],x=[];h===r-1&&(y=A,x=m);let E=x.find(w=>w.input.position==="receiver"||w.input.position==="destination")?.value,O=this.getDestinationFromAction(u),T=E?this.serializer.stringToNative(E)[1]:O;if(T&&(T=p.applyInputs(T,x,this.serializer,m)),!T&&s.type!=="collect")throw new Error("WarpActionExecutor: Destination/Receiver not provided");let ct=this.getPreparedArgs(u,x);ct=ct.map(w=>p.applyInputs(w,x,this.serializer,m));let Gt=x.find(w=>w.input.position==="value")?.value||null,Jt="value"in u?u.value:null,Qt=Gt?.split(o.ArgParamsSeparator)[1]||Jt||"0",Kt=p.applyInputs(Qt,x,this.serializer,m),_t=BigInt(Kt),Xt=x.filter(w=>w.input.position==="transfer"&&w.value).map(w=>w.value),Zt=[...("transfers"in u?u.transfers:[])||[],...Xt||[]].map(w=>{let er=p.applyInputs(w,x,this.serializer,m);return this.serializer.stringToNative(er)[1]}),Yt=x.find(w=>w.input.position==="data")?.value,tr="data"in u?u.data||"":null,Pt=Yt||tr||null,rr=Pt?p.applyInputs(Pt,x,this.serializer,m):null,Et={warp:l,chain:a,action:r,destination:T,args:ct,value:_t,transfers:Zt,data:rr,resolvedInputs:x};return this.cache.set(It.WarpExecutable(this.config.env,l.meta?.hash||"",r),Et.resolvedInputs,St.OneWeek),Et}async getChainInfoForWarp(t,r){if(t.chain)return g(t.chain,this.adapters).chainInfo;if(r){let i=await this.tryGetChainFromInputs(t,r);if(i)return i}return this.adapters[0].chainInfo}getStringTypedInputs(t,r){let e=t.inputs||[];return r.map((i,s)=>{let a=e[s];return!a||i.includes(o.ArgParamsSeparator)?i:this.serializer.nativeToString(a.type,i)})}async getResolvedInputs(t,r,e,i){let s=r.inputs||[],a=await Promise.all(e.map(p=>this.preprocessInput(t,p))),c=(p,l)=>{if(p.source==="query"){let u=this.url.searchParams.get(p.name);return u?this.serializer.nativeToString(p.type,u):null}else if(p.source===o.Source.UserWallet){let u=S(this.config,t);return u?this.serializer.nativeToString("address",u):null}else if(p.source==="hidden"){if(p.default===void 0)return null;let u=i?i.applyInputs(String(p.default),[],this.serializer):String(p.default);return this.serializer.nativeToString(p.type,u)}else return a[l]||null};return s.map((p,l)=>{let u=c(p,l),f=p.default!==void 0?i?i.applyInputs(String(p.default),[],this.serializer):String(p.default):void 0;return{input:p,value:u||(f!==void 0?this.serializer.nativeToString(p.type,f):null)}})}getModifiedInputs(t){return t.map((r,e)=>{if(r.input.modifier?.startsWith("scale:")){let[,i]=r.input.modifier.split(":");if(isNaN(Number(i))){let s=Number(t.find(p=>p.input.name===i)?.value?.split(":")[1]);if(!s)throw new Error(`WarpActionExecutor: Exponent value not found for input ${i}`);let a=r.value?.split(":")[1];if(!a)throw new Error("WarpActionExecutor: Scalable value not found");let c=q(a,+s);return{...r,value:`${r.input.type}:${c}`}}else{let s=r.value?.split(":")[1];if(!s)throw new Error("WarpActionExecutor: Scalable value not found");let a=q(s,+i);return{...r,value:`${r.input.type}:${a}`}}}else return r})}async preprocessInput(t,r){try{let[e,i]=at(r),s=g(t,this.adapters);if(e==="asset"){let[a,c,p]=i.split(o.ArgCompositeSeparator);if(p)return r;let l=await s.dataLoader.getAsset(a);if(!l)throw new Error(`WarpFactory: Asset not found for asset ${a}`);if(typeof l.decimals!="number")throw new Error(`WarpFactory: Decimals not found for asset ${a}`);let u=q(c,l.decimals);return vt({...l,amount:u})}else return r}catch(e){throw C.warn("WarpFactory: Preprocess input failed",e),e}}getDestinationFromAction(t){if("address"in t&&t.address)return t.address;if("destination"in t&&t.destination){if(typeof t.destination=="string")return t.destination;if(typeof t.destination=="object"&&"url"in t.destination)return t.destination.url}return null}getPreparedArgs(t,r){let e="args"in t?t.args||[]:[],i=[];return r.forEach(({input:s,value:a})=>{if(!(!a||!s.position)){if(typeof s.position=="object"){if(s.type!=="asset")throw new Error(`WarpFactory: Object position is only supported for asset type. Input "${s.name}" has type "${s.type}"`);if(!s.position.token?.startsWith("arg:")||!s.position.amount?.startsWith("arg:"))throw new Error(`WarpFactory: Object position must have token and amount as arg:N. Input "${s.name}"`);let[c,p]=this.serializer.stringToNative(a),l=p;if(!l||typeof l!="object"||!("identifier"in l)||!("amount"in l))throw new Error(`WarpFactory: Invalid asset value for input "${s.name}"`);let u=Number(s.position.token.split(":")[1])-1,f=Number(s.position.amount.split(":")[1])-1;i.push({index:u,value:this.serializer.nativeToString("address",l.identifier)}),i.push({index:f,value:this.serializer.nativeToString("uint256",l.amount)})}else if(s.position.startsWith("arg:")){let c=Number(s.position.split(":")[1])-1;i.push({index:c,value:a})}}}),i.forEach(({index:s,value:a})=>{for(;e.length<=s;)e.push(void 0);e[s]=a}),e.filter(s=>s!==void 0)}async tryGetChainFromInputs(t,r){let e=t.actions.find(p=>p.inputs?.some(l=>l.position==="chain"));if(!e)return null;let i=e.inputs?.findIndex(p=>p.position==="chain");if(i===-1||i===void 0)return null;let s=r[i];if(!s)throw new Error("Chain input not found");let a=this.serializer.stringToNative(s)[1];return g(a,this.adapters).chainInfo}};var _=class{constructor(t,r,e){this.config=t;this.adapters=r;this.handlers=e;this.handlers=e,this.factory=new L(t,r)}async execute(t,r,e={}){let i=[],s=null,a=[],c=[],{action:p,index:l}=B(t);for(let u=1;u<=t.actions.length;u++){let f=I(t,u);if(!nt(f,t))continue;let{tx:h,chain:W,immediateExecution:A,executable:m}=await this.executeAction(t,u,r,e);h&&i.push(h),W&&(s=W),A&&a.push(A),m&&u===l+1&&m.resolvedInputs&&(c=m.resolvedInputs.map(y=>y.value||"").filter(y=>y!==""))}if(!s&&i.length>0)throw new Error(`WarpExecutor: Chain not found for ${i.length} transactions`);if(i.length===0&&a.length>0){let u=a[a.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(u))}return{txs:i,chain:s,immediateExecutions:a,resolvedInputs:c}}async executeAction(t,r,e,i={}){let s=I(t,r);if(s.type==="link")return await this.callHandler(async()=>{let l=s.url;this.config.interceptors?.openLink?await this.config.interceptors.openLink(l):lt.open(l,"_blank")}),{tx:null,chain:null,immediateExecution:null,executable:null};let a=await this.factory.createExecutable(t,r,e,i);if(s.type==="collect"){let l=await this.executeCollect(a);return l.status==="success"?(await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):l.status==="unhandled"?(await this.callHandler(()=>this.handlers?.onActionUnhandled?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):(this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:null,immediateExecution:null,executable:a})}let c=g(a.chain.name,this.adapters);if(s.type==="query"){let l=await c.executor.executeQuery(a);return l.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:a.chain,execution:l,tx:null})):this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:a.chain,immediateExecution:l,executable:a}}return{tx:await c.executor.createTransaction(a),chain:a.chain,immediateExecution:null,executable:a}}async evaluateOutput(t,r){if(r.length===0||t.actions.length===0||!this.handlers)return;let e=await this.factory.getChainInfoForWarp(t),i=g(e.name,this.adapters),s=(await Promise.all(t.actions.map(async(a,c)=>{if(!nt(a,t)||a.type!=="transfer"&&a.type!=="contract")return null;let p=r[c],l=c+1;if(!p){let f={status:"error",warp:t,action:l,user:S(this.config,e.name),txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{},messages:{},destination:null};return await this.callHandler(()=>this.handlers?.onError?.({message:`Action ${l} failed: Transaction not found`})),f}let u=await i.output.getActionExecution(t,l,p);return u.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:l,chain:e,execution:u,tx:p})):await this.callHandler(()=>this.handlers?.onError?.({message:"Action failed: "+JSON.stringify(u.values)})),u}))).filter(a=>a!==null);if(s.every(a=>a.status==="success")){let a=s[s.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(a))}else await this.callHandler(()=>this.handlers?.onError?.({message:`Warp failed: ${JSON.stringify(s.map(a=>a.values))}`}))}async executeCollect(t,r){let e=S(this.config,t.chain.name),i=I(t.warp,t.action),s=this.factory.getSerializer(),a=M(t.resolvedInputs,s);if(i.destination&&typeof i.destination=="object"&&"url"in i.destination)return await this.doHttpRequest(t,i.destination,e,a,r);let{values:c,output:p}=await st(t.warp,a,t.action,t.resolvedInputs,s,this.config);return this.buildCollectResult(t,e,"unhandled",c,p)}async doHttpRequest(t,r,e,i,s){let a=new P(this.config,g(t.chain.name,this.adapters)),c=new Headers;if(c.set("Content-Type","application/json"),c.set("Accept","application/json"),this.handlers?.onSignRequest){if(!e)throw new Error(`No wallet configured for chain ${t.chain.name}`);let{message:f,nonce:h,expiresAt:W}=await ot(e,`${t.chain.name}-adapter`),A=await this.callHandler(()=>this.handlers?.onSignRequest?.({message:f,chain:t.chain}));if(A){let m=pt(e,A,h,W);Object.entries(m).forEach(([y,x])=>c.set(y,x))}}r.headers&&Object.entries(r.headers).forEach(([f,h])=>{let W=a.applyInputs(h,t.resolvedInputs,this.factory.getSerializer());c.set(f,W)});let p=r.method||"GET",l=p==="GET"?void 0:JSON.stringify({...i,...s}),u=a.applyInputs(r.url,t.resolvedInputs,this.factory.getSerializer());C.debug("WarpExecutor: Executing HTTP collect",{url:u,method:p,headers:c,body:l});try{let f=await fetch(u,{method:p,headers:c,body:l});C.debug("Collect response status",{status:f.status});let h=await f.json();C.debug("Collect response content",{content:h});let{values:W,output:A}=await st(t.warp,h,t.action,t.resolvedInputs,this.factory.getSerializer(),this.config);return this.buildCollectResult(t,S(this.config,t.chain.name),f.ok?"success":"error",W,A,h)}catch(f){return C.error("WarpActionExecutor: Error executing collect",f),{status:"error",warp:t.warp,action:t.action,user:e,txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{_DATA:f},messages:{},destination:this.getDestinationFromResolvedInputs(t)}}}getDestinationFromResolvedInputs(t){return t.resolvedInputs.find(e=>e.input.position==="receiver"||e.input.position==="destination")?.value||t.destination}buildCollectResult(t,r,e,i,s,a){let c=At(this.config,this.adapters,t.warp,t.action,s);return{status:e,warp:t.warp,action:t.action,user:r||S(this.config,t.chain.name),txHash:null,tx:null,next:c,values:i,output:a?{...s,_DATA:a}:s,messages:Wt(t.warp,s,this.config),destination:this.getDestinationFromResolvedInputs(t)}}async callHandler(t){if(t)return await t()}};var X=class{constructor(t){this.config=t}async search(t,r,e){if(!this.config.index?.url)throw new Error("WarpIndex: Index URL is not set");try{let i=await fetch(this.config.index?.url,{method:"POST",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.config.index?.apiKey}`,...e},body:JSON.stringify({[this.config.index?.searchParamName||"search"]:t,...r})});if(!i.ok)throw new Error(`WarpIndex: search failed with status ${i.status}: ${await i.text()}`);return(await i.json()).hits}catch(i){throw C.error("WarpIndex: Error searching for warps: ",i),i}}};var Z=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(o.HttpProtocolPrefix)?!!j(t):!1}async detectFromHtml(t){if(!t.length)return{match:!1,output:[]};let i=[...t.matchAll(/https?:\/\/[^\s"'<>]+/gi)].map(l=>l[0]).filter(l=>this.isValid(l)).map(l=>this.detect(l)),a=(await Promise.all(i)).filter(l=>l.match),c=a.length>0,p=a.map(l=>({url:l.url,warp:l.warp}));return{match:c,output:p}}async detect(t,r){let e={match:!1,url:t,warp:null,chain:null,registryInfo:null,brand:null},i=t.startsWith(o.HttpProtocolPrefix)?j(t):b(t);if(!i)return e;try{let{type:s,identifierBase:a}=i,c=null,p=null,l=null,u=g(i.chain,this.adapters),f=t.startsWith(o.HttpProtocolPrefix)?ht(t):mt(i.identifier);if(s==="hash"){c=await u.builder().createFromTransactionHash(a,r);let W=await u.registry.getInfoByHash(a,r);p=W.registryInfo,l=W.brand}else if(s==="alias"){let W=await u.registry.getInfoByAlias(a,r);p=W.registryInfo,l=W.brand,W.registryInfo&&(c=await u.builder().createFromTransactionHash(W.registryInfo.hash,r))}c&&c.meta&&(Kr(c,u.chainInfo.name,p,i.identifier),c.meta.query=f);let h=c?await new P(this.config,u).apply(this.config,c):null;return h?{match:!0,url:t,warp:h,chain:u.chainInfo.name,registryInfo:p,brand:l}:e}catch(s){return C.error("Error detecting warp link",s),e}}},Kr=(n,t,r,e)=>{n.meta&&(n.meta.identifier=r?.alias?it(t,"alias",r.alias):it(t,"hash",r?.hash??e))};var bt=class{constructor(t,r){this.config=t;this.adapters=r}getConfig(){return this.config}getAdapters(){return this.adapters}addAdapter(t){return this.adapters.push(t),this}createExecutor(t){return new _(this.config,this.adapters,t)}async detectWarp(t,r){return new Z(this.config,this.adapters).detect(t,r)}async executeWarp(t,r,e,i={}){let s=typeof t=="object",a=!s&&t.startsWith("http")&&t.endsWith(".json"),c=s?t:null;if(!c&&a){let A=await fetch(t);if(!A.ok)throw new Error("WarpClient: executeWarp - invalid url");c=await A.json()}if(c||(c=(await this.detectWarp(t,i.cache)).warp),!c)throw new Error("Warp not found");let p=this.createExecutor(e),{txs:l,chain:u,immediateExecutions:f,resolvedInputs:h}=await p.execute(c,r,{queries:i.queries});return{txs:l,chain:u,immediateExecutions:f,evaluateOutput:async A=>{await p.evaluateOutput(c,A)},resolvedInputs:h}}async createInscriptionTransaction(t,r){return await g(t,this.adapters).builder().createInscriptionTransaction(r)}async createFromTransaction(t,r,e=!1){return g(t,this.adapters).builder().createFromTransaction(r,e)}async createFromTransactionHash(t,r){let e=b(t);if(!e)throw new Error("WarpClient: createFromTransactionHash - invalid hash");return g(e.chain,this.adapters).builder().createFromTransactionHash(t,r)}async signMessage(t,r){if(!S(this.config,t))throw new Error(`No wallet configured for chain ${t}`);return g(t,this.adapters).wallet.signMessage(r)}async getActions(t,r,e=!1){let i=this.getDataLoader(t);return(await Promise.all(r.map(async a=>i.getAction(a,e)))).filter(a=>a!==null)}getExplorer(t){return g(t,this.adapters).explorer}getOutput(t){return g(t,this.adapters).output}async getRegistry(t){let r=g(t,this.adapters).registry;return await r.init(),r}getDataLoader(t){return g(t,this.adapters).dataLoader}getWallet(t){return g(t,this.adapters).wallet}get factory(){return new L(this.config,this.adapters)}get index(){return new X(this.config)}get linkBuilder(){return new H(this.config,this.adapters)}createBuilder(t){return g(t,this.adapters).builder()}createAbiBuilder(t){return g(t,this.adapters).abiBuilder()}createBrandBuilder(t){return g(t,this.adapters).brandBuilder()}createSerializer(t){return g(t,this.adapters).serializer}resolveText(t){return k(t,this.config)}};var Tt=class{constructor(){this.typeHandlers=new Map;this.typeAliases=new Map}registerType(t,r){this.typeHandlers.set(t,r)}registerTypeAlias(t,r){this.typeAliases.set(t,r)}hasType(t){return this.typeHandlers.has(t)||this.typeAliases.has(t)}getHandler(t){let r=this.typeAliases.get(t);return r?this.getHandler(r):this.typeHandlers.get(t)}getAlias(t){return this.typeAliases.get(t)}resolveType(t){let r=this.typeAliases.get(t);return r?this.resolveType(r):t}getRegisteredTypes(){return Array.from(new Set([...this.typeHandlers.keys(),...this.typeAliases.keys()]))}};0&&(module.exports={BrowserCryptoProvider,CacheTtl,NodeCryptoProvider,WARP_LANGUAGES,WarpBrandBuilder,WarpBuilder,WarpCache,WarpCacheKey,WarpChainName,WarpClient,WarpConfig,WarpConstants,WarpExecutor,WarpFactory,WarpIndex,WarpInputTypes,WarpInterpolator,WarpLinkBuilder,WarpLinkDetecter,WarpLogger,WarpProtocolVersions,WarpSerializer,WarpTypeRegistry,WarpValidator,address,applyOutputToMessages,asset,biguint,bool,buildMappedOutput,buildNestedPayload,bytesToBase64,bytesToHex,cleanWarpIdentifier,createAuthHeaders,createAuthMessage,createCryptoProvider,createHttpAuthHeaders,createSignableMessage,createWarpI18nText,createWarpIdentifier,evaluateOutputCommon,extractCollectOutput,extractIdentifierInfoFromUrl,extractQueryStringFromIdentifier,extractQueryStringFromUrl,extractWarpSecrets,findWarpAdapterForChain,getCryptoProvider,getEventNameFromWarp,getLatestProtocolIdentifier,getNextInfo,getProviderConfig,getRandomBytes,getRandomHex,getWarpActionByIndex,getWarpBrandLogoUrl,getWarpInfoFromIdentifier,getWarpPrimaryAction,getWarpWalletAddress,getWarpWalletAddressFromConfig,getWarpWalletMnemonic,getWarpWalletMnemonicFromConfig,getWarpWalletPrivateKey,getWarpWalletPrivateKeyFromConfig,hasInputPrefix,hex,isEqualWarpIdentifier,isWarpActionAutoExecute,isWarpI18nText,mergeNestedPayload,option,parseOutputOutIndex,parseSignedMessage,replacePlaceholders,resolveWarpText,safeWindow,setCryptoProvider,shiftBigintBy,splitInput,string,struct,testCryptoAvailability,toInputPayloadValue,toPreviewText,tuple,uint16,uint32,uint64,uint8,validateSignedMessage,vector});
|
|
1
|
+
"use strict";var ir=Object.create;var tt=Object.defineProperty;var ar=Object.getOwnPropertyDescriptor;var sr=Object.getOwnPropertyNames;var or=Object.getPrototypeOf,pr=Object.prototype.hasOwnProperty;var cr=(n,t)=>{for(var r in t)tt(n,r,{get:t[r],enumerable:!0})},Bt=(n,t,r,e)=>{if(t&&typeof t=="object"||typeof t=="function")for(let i of sr(t))!pr.call(n,i)&&i!==r&&tt(n,i,{get:()=>t[i],enumerable:!(e=ar(t,i))||e.enumerable});return n};var rt=(n,t,r)=>(r=n!=null?ir(or(n)):{},Bt(t||!n||!n.__esModule?tt(r,"default",{value:n,enumerable:!0}):r,n)),lr=n=>Bt(tt({},"__esModule",{value:!0}),n);var Xr={};cr(Xr,{BrowserCryptoProvider:()=>et,CacheTtl:()=>bt,NodeCryptoProvider:()=>nt,WARP_LANGUAGES:()=>yr,WarpBrandBuilder:()=>St,WarpBuilder:()=>wt,WarpCache:()=>_,WarpCacheKey:()=>lt,WarpChainName:()=>$t,WarpClient:()=>Tt,WarpConfig:()=>R,WarpConstants:()=>c,WarpExecutor:()=>X,WarpFactory:()=>j,WarpIndex:()=>Z,WarpInputTypes:()=>d,WarpInterpolator:()=>P,WarpLinkBuilder:()=>F,WarpLinkDetecter:()=>Y,WarpLogger:()=>C,WarpProtocolVersions:()=>O,WarpSerializer:()=>x,WarpTypeRegistry:()=>Pt,WarpValidator:()=>J,address:()=>kr,applyOutputToMessages:()=>vt,asset:()=>It,biguint:()=>jr,bool:()=>Dr,buildMappedOutput:()=>G,buildNestedPayload:()=>Ut,bytesToBase64:()=>gr,bytesToHex:()=>Vt,cleanWarpIdentifier:()=>M,createAuthHeaders:()=>ct,createAuthMessage:()=>pt,createCryptoProvider:()=>mr,createHttpAuthHeaders:()=>Rr,createSignableMessage:()=>jt,createWarpI18nText:()=>Ar,createWarpIdentifier:()=>at,evaluateOutputCommon:()=>Ht,extractCollectOutput:()=>ot,extractIdentifierInfoFromUrl:()=>D,extractQueryStringFromIdentifier:()=>yt,extractQueryStringFromUrl:()=>Wt,extractResolvedInputValues:()=>H,extractWarpSecrets:()=>Wr,findWarpAdapterForChain:()=>h,getCryptoProvider:()=>ft,getEventNameFromWarp:()=>ur,getLatestProtocolIdentifier:()=>k,getNextInfo:()=>xt,getProviderConfig:()=>Tr,getRandomBytes:()=>gt,getRandomHex:()=>ht,getWarpActionByIndex:()=>w,getWarpBrandLogoUrl:()=>dr,getWarpInfoFromIdentifier:()=>b,getWarpPrimaryAction:()=>B,getWarpWalletAddress:()=>Dt,getWarpWalletAddressFromConfig:()=>S,getWarpWalletMnemonic:()=>qt,getWarpWalletMnemonicFromConfig:()=>Nr,getWarpWalletPrivateKey:()=>kt,getWarpWalletPrivateKeyFromConfig:()=>Vr,hasInputPrefix:()=>Sr,hex:()=>qr,isEqualWarpIdentifier:()=>xr,isWarpActionAutoExecute:()=>it,isWarpI18nText:()=>vr,mergeNestedPayload:()=>Ct,option:()=>zr,parseOutputOutIndex:()=>Lt,parseSignedMessage:()=>$r,replacePlaceholders:()=>$,resolveWarpText:()=>z,safeWindow:()=>dt,setCryptoProvider:()=>fr,shiftBigintBy:()=>q,splitInput:()=>st,string:()=>Or,struct:()=>Gr,testCryptoAvailability:()=>hr,toInputPayloadValue:()=>Ft,toPreviewText:()=>mt,tuple:()=>Mr,uint16:()=>Fr,uint32:()=>Hr,uint64:()=>Lr,uint8:()=>Ur,validateSignedMessage:()=>Br,vector:()=>Jr});module.exports=lr(Xr);var $t=(p=>(p.Multiversx="multiversx",p.Vibechain="vibechain",p.Sui="sui",p.Ethereum="ethereum",p.Base="base",p.Arbitrum="arbitrum",p.Somnia="somnia",p.Fastset="fastset",p))($t||{}),c={HttpProtocolPrefix:"http",IdentifierParamName:"warp",IdentifierParamSeparator:":",IdentifierChainDefault:"multiversx",IdentifierType:{Alias:"alias",Hash:"hash"},IdentifierAliasMarker:"@",Globals:{UserWallet:{Placeholder:"USER_WALLET",Accessor:n=>n.config.user?.wallets?.[n.adapter.chainInfo.name]},UserWalletPublicKey:{Placeholder:"USER_WALLET_PUBLICKEY",Accessor:n=>{if(!n.adapter.wallet)return null;try{return n.adapter.wallet.getPublicKey()||null}catch{return null}}},ChainApiUrl:{Placeholder:"CHAIN_API",Accessor:n=>n.adapter.chainInfo.defaultApiUrl},ChainAddressHrp:{Placeholder:"CHAIN_ADDRESS_HRP",Accessor:n=>n.adapter.chainInfo.addressHrp}},Vars:{Query:"query",Env:"env"},ArgParamsSeparator:":",ArgCompositeSeparator:"|",ArgListSeparator:",",ArgStructSeparator:";",Transform:{Prefix:"transform:"},Source:{UserWallet:"user:wallet"},Position:{Payload:"payload:"},Alerts:{TriggerEventPrefix:"event"}},d={Option:"option",Vector:"vector",Tuple:"tuple",Struct:"struct",String:"string",Uint8:"uint8",Uint16:"uint16",Uint32:"uint32",Uint64:"uint64",Uint128:"uint128",Uint256:"uint256",Biguint:"biguint",Bool:"bool",Address:"address",Asset:"asset",Hex:"hex"},dt=typeof window<"u"?window:{open:()=>{}};var O={Warp:"3.0.0",Brand:"0.2.0",Abi:"0.1.0"},R={LatestWarpSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/v${O.Warp}.schema.json`,LatestBrandSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/brand/v${O.Brand}.schema.json`,DefaultClientUrl:n=>n==="devnet"?"https://devnet.usewarp.to":n==="testnet"?"https://testnet.usewarp.to":"https://usewarp.to",SuperClientUrls:["https://usewarp.to","https://testnet.usewarp.to","https://devnet.usewarp.to"],AvailableActionInputSources:["field","query",c.Source.UserWallet,"hidden"],AvailableActionInputTypes:["string","uint8","uint16","uint32","uint64","biguint","boolean","address"],AvailableActionInputPositions:["receiver","value","transfer","arg:1","arg:2","arg:3","arg:4","arg:5","arg:6","arg:7","arg:8","arg:9","arg:10","data","ignore"]};var ur=(n,t)=>{let r=n.alerts?.[t];if(!r)return null;let e=c.Alerts.TriggerEventPrefix+c.ArgParamsSeparator;if(!r.trigger.startsWith(e))return null;let i=r.trigger.replace(e,"");return i||null};var dr=(n,t)=>typeof n.logo=="string"?n.logo:n.logo[t?.scheme??"light"];var et=class{async getRandomBytes(t){if(typeof window>"u"||!window.crypto)throw new Error("Web Crypto API not available");let r=new Uint8Array(t);return window.crypto.getRandomValues(r),r}},nt=class{async getRandomBytes(t){if(typeof process>"u"||!process.versions?.node)throw new Error("Node.js environment not detected");try{let r=await import("crypto");return new Uint8Array(r.randomBytes(t))}catch(r){throw new Error(`Node.js crypto not available: ${r instanceof Error?r.message:"Unknown error"}`)}}},U=null;function ft(){if(U)return U;if(typeof window<"u"&&window.crypto)return U=new et,U;if(typeof process<"u"&&process.versions?.node)return U=new nt,U;throw new Error("No compatible crypto provider found. Please provide a crypto provider using setCryptoProvider() or ensure Web Crypto API is available.")}function fr(n){U=n}async function gt(n,t){if(n<=0||!Number.isInteger(n))throw new Error("Size must be a positive integer");return(t||ft()).getRandomBytes(n)}function Vt(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");let t=new Array(n.length*2);for(let r=0;r<n.length;r++){let e=n[r];t[r*2]=(e>>>4).toString(16),t[r*2+1]=(e&15).toString(16)}return t.join("")}function gr(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");if(typeof Buffer<"u")return Buffer.from(n).toString("base64");if(typeof btoa<"u"){let t=String.fromCharCode.apply(null,Array.from(n));return btoa(t)}else throw new Error("Base64 encoding not available in this environment")}async function ht(n,t){if(n<=0||n%2!==0)throw new Error("Length must be a positive even number");let r=await gt(n/2,t);return Vt(r)}async function hr(){let n={randomBytes:!1,environment:"unknown"};try{typeof window<"u"&&window.crypto?n.environment="browser":typeof process<"u"&&process.versions?.node&&(n.environment="nodejs"),await gt(16),n.randomBytes=!0}catch{}return n}function mr(){return ft()}var Wr=n=>Object.values(n.vars||{}).filter(t=>t.startsWith(`${c.Vars.Env}:`)).map(t=>{let r=t.replace(`${c.Vars.Env}:`,"").trim(),[e,i]=r.split(c.ArgCompositeSeparator);return{key:e,description:i||null}});var h=(n,t)=>{let r=t.find(e=>e.chainInfo.name.toLowerCase()===n.toLowerCase());if(!r)throw new Error(`Adapter not found for chain: ${n}`);return r},k=n=>{if(n==="warp")return`warp:${O.Warp}`;if(n==="brand")return`brand:${O.Brand}`;if(n==="abi")return`abi:${O.Abi}`;throw new Error(`getLatestProtocolIdentifier: Invalid protocol name: ${n}`)},w=(n,t)=>n?.actions[t-1],B=n=>{if(n.actions.length===0)throw new Error(`Warp has no primary action: ${n.meta?.identifier}`);let t=n.actions.find(s=>s.primary===!0);if(t)return{action:t,index:n.actions.indexOf(t)};let r=["transfer","contract","query","collect"],e=n.actions.find(s=>r.includes(s.type));return e?{action:e,index:n.actions.indexOf(e)}:{action:n.actions[0],index:0}},it=(n,t)=>{if(n.auto===!1)return!1;if(n.type==="link"){if(n.auto===!0)return!0;let{action:r}=B(t);return n===r}return!0},q=(n,t)=>{let r=n.toString(),[e,i=""]=r.split("."),s=Math.abs(t);if(t>0)return BigInt(e+i.padEnd(s,"0"));if(t<0){let a=e+i;if(s>=a.length)return 0n;let o=a.slice(0,-s)||"0";return BigInt(o)}else return r.includes(".")?BigInt(r.split(".")[0]):BigInt(r)},mt=(n,t=100)=>{if(!n)return"";let r=n.replace(/<\/?(h[1-6])[^>]*>/gi," - ").replace(/<\/?(p|div|ul|ol|li|br|hr)[^>]*>/gi," ").replace(/<[^>]+>/g,"").replace(/\s+/g," ").trim();return r=r.startsWith("- ")?r.slice(2):r,r=r.length>t?r.substring(0,r.lastIndexOf(" ",t))+"...":r,r},$=(n,t)=>n.replace(/\{\{([^}]+)\}\}/g,(r,e)=>t[e]||"");var yr={de:"German",en:"English",es:"Spanish",fr:"French",it:"Italian",pt:"Portuguese",ru:"Russian",zh:"Chinese",ja:"Japanese",ko:"Korean",ar:"Arabic",hi:"Hindi",nl:"Dutch",sv:"Swedish",da:"Danish",no:"Norwegian",fi:"Finnish",pl:"Polish",tr:"Turkish",el:"Greek",he:"Hebrew",th:"Thai",vi:"Vietnamese",id:"Indonesian",ms:"Malay",tl:"Tagalog"},z=(n,t)=>{let r=t?.preferences?.locale||"en";if(typeof n=="string")return n;if(typeof n=="object"&&n!==null){if(r in n)return n[r];if("en"in n)return n.en;let e=Object.keys(n);if(e.length>0)return n[e[0]]}return""},vr=n=>typeof n=="object"&&n!==null&&Object.keys(n).length>0,Ar=n=>n;var M=n=>n.startsWith(c.IdentifierAliasMarker)?n.replace(c.IdentifierAliasMarker,""):n,xr=(n,t)=>!n||!t?!1:M(n)===M(t),at=(n,t,r)=>{let e=M(r);return t===c.IdentifierType.Alias?c.IdentifierAliasMarker+n+c.IdentifierParamSeparator+e:n+c.IdentifierParamSeparator+t+c.IdentifierParamSeparator+e},b=n=>{let t=decodeURIComponent(n).trim(),r=M(t),e=r.split("?")[0],i=Nt(e);if(e.length===64&&/^[a-fA-F0-9]+$/.test(e))return{chain:c.IdentifierChainDefault,type:c.IdentifierType.Hash,identifier:r,identifierBase:e};if(i.length===2&&/^[a-zA-Z0-9]{62}$/.test(i[0])&&/^[a-zA-Z0-9]{2}$/.test(i[1]))return null;if(i.length===3){let[s,a,o]=i;if(a===c.IdentifierType.Alias||a===c.IdentifierType.Hash){let p=r.includes("?")?o+r.substring(r.indexOf("?")):o;return{chain:s,type:a,identifier:p,identifierBase:o}}}if(i.length===2){let[s,a]=i;if(s===c.IdentifierType.Alias||s===c.IdentifierType.Hash){let o=r.includes("?")?a+r.substring(r.indexOf("?")):a;return{chain:c.IdentifierChainDefault,type:s,identifier:o,identifierBase:a}}}if(i.length===2){let[s,a]=i;if(s!==c.IdentifierType.Alias&&s!==c.IdentifierType.Hash){let o=r.includes("?")?a+r.substring(r.indexOf("?")):a,p=Cr(a,s)?c.IdentifierType.Hash:c.IdentifierType.Alias;return{chain:s,type:p,identifier:o,identifierBase:a}}}return{chain:c.IdentifierChainDefault,type:c.IdentifierType.Alias,identifier:r,identifierBase:e}},D=n=>{let t=new URL(n),e=t.searchParams.get(c.IdentifierParamName);if(e||(e=t.pathname.split("/")[1]),!e)return null;let i=decodeURIComponent(e);return b(i)},Cr=(n,t)=>/^[a-fA-F0-9]+$/.test(n)&&n.length>32,Ir=n=>{let t=c.IdentifierParamSeparator,r=n.indexOf(t);return r!==-1?{separator:t,index:r}:null},Nt=n=>{let t=Ir(n);if(!t)return[n];let{separator:r,index:e}=t,i=n.substring(0,e),s=n.substring(e+r.length),a=Nt(s);return[i,...a]},Wt=n=>{try{let t=new URL(n),r=new URLSearchParams(t.search);return r.delete(c.IdentifierParamName),r.toString()||null}catch{return null}},yt=n=>{let t=n.indexOf("?");if(t===-1||t===n.length-1)return null;let r=n.substring(t+1);return r.length>0?r:null};var st=n=>{let[t,...r]=n.split(/:(.*)/,2);return[t,r[0]||""]},Sr=n=>{let t=new Set(Object.values(d));if(!n.includes(c.ArgParamsSeparator))return!1;let r=st(n)[0];return t.has(r)};var vt=(n,t,r)=>{let e=Object.entries(n.messages||{}).map(([i,s])=>{let a=z(s,r);return[i,$(a,t)]});return Object.fromEntries(e)};var Ot=rt(require("qr-code-styling"),1);var F=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(c.HttpProtocolPrefix)?!!D(t):!1}build(t,r,e){let i=this.config.clientUrl||R.DefaultClientUrl(this.config.env),s=h(t,this.adapters),a=r===c.IdentifierType.Alias?e:r+c.IdentifierParamSeparator+e,o=s.chainInfo.name+c.IdentifierParamSeparator+a,p=encodeURIComponent(o);return R.SuperClientUrls.includes(i)?`${i}/${p}`:`${i}?${c.IdentifierParamName}=${p}`}buildFromPrefixedIdentifier(t){let r=b(t);if(!r)return null;let e=h(r.chain,this.adapters);return e?this.build(e.chainInfo.name,r.type,r.identifierBase):null}generateQrCode(t,r,e,i=512,s="white",a="black",o="#23F7DD"){let p=h(t,this.adapters),l=this.build(p.chainInfo.name,r,e);return new Ot.default({type:"svg",width:i,height:i,data:String(l),margin:16,qrOptions:{typeNumber:0,mode:"Byte",errorCorrectionLevel:"Q"},backgroundOptions:{color:s},dotsOptions:{type:"extra-rounded",color:a},cornersSquareOptions:{type:"extra-rounded",color:a},cornersDotOptions:{type:"square",color:a},imageOptions:{hideBackgroundDots:!0,imageSize:.4,margin:8},image:`data:image/svg+xml;utf8,<svg width="16" height="16" viewBox="0 0 100 100" fill="${encodeURIComponent(o)}" xmlns="http://www.w3.org/2000/svg"><path d="M54.8383 50.0242L95 28.8232L88.2456 16L51.4717 30.6974C50.5241 31.0764 49.4759 31.0764 48.5283 30.6974L11.7544 16L5 28.8232L45.1616 50.0242L5 71.2255L11.7544 84.0488L48.5283 69.351C49.4759 68.9724 50.5241 68.9724 51.4717 69.351L88.2456 84.0488L95 71.2255L54.8383 50.0242Z"/></svg>`})}};var wr="https://",xt=(n,t,r,e,i)=>{let s=r.actions?.[e-1]?.next||r.next||null;if(!s)return null;if(s.startsWith(wr))return[{identifier:null,url:s}];let[a,o]=s.split("?");if(!o){let m=$(a,{...r.vars,...i});return[{identifier:m,url:At(t,m,n)}]}let p=o.match(/{{([^}]+)\[\](\.[^}]+)?}}/g)||[];if(p.length===0){let m=$(o,{...r.vars,...i}),v=m?`${a}?${m}`:a;return[{identifier:v,url:At(t,v,n)}]}let l=p[0];if(!l)return[];let u=l.match(/{{([^[]+)\[\]/),f=u?u[1]:null;if(!f||i[f]===void 0)return[];let g=Array.isArray(i[f])?i[f]:[i[f]];if(g.length===0)return[];let W=p.filter(m=>m.includes(`{{${f}[]`)).map(m=>{let v=m.match(/\[\](\.[^}]+)?}}/),A=v&&v[1]||"";return{placeholder:m,field:A?A.slice(1):"",regex:new RegExp(m.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),"g")}});return g.map(m=>{let v=o;for(let{regex:E,field:N}of W){let T=N?br(m,N):m;if(T==null)return null;v=v.replace(E,T)}if(v.includes("{{")||v.includes("}}"))return null;let A=v?`${a}?${v}`:a;return{identifier:A,url:At(t,A,n)}}).filter(m=>m!==null)},At=(n,t,r)=>{let[e,i]=t.split("?"),s=b(e)||{chain:c.IdentifierChainDefault,type:"alias",identifier:e,identifierBase:e},a=h(s.chain,n);if(!a)throw new Error(`Adapter not found for chain ${s.chain}`);let o=new F(r,n).build(a.chainInfo.name,s.type,s.identifierBase);if(!i)return o;let p=new URL(o);return new URLSearchParams(i).forEach((l,u)=>p.searchParams.set(u,l)),p.toString().replace(/\/\?/,"?")},br=(n,t)=>t.split(".").reduce((r,e)=>r?.[e],n);function Ut(n,t,r){return n.startsWith(c.Position.Payload)?n.slice(c.Position.Payload.length).split(".").reduceRight((e,i,s,a)=>({[i]:s===a.length-1?{[t]:r}:e}),{}):{[t]:r}}function Ct(n,t){if(!n)return{...t};if(!t)return{...n};let r={...n};return Object.keys(t).forEach(e=>{r[e]&&typeof r[e]=="object"&&typeof t[e]=="object"?r[e]=Ct(r[e],t[e]):r[e]=t[e]}),r}function Ft(n,t){if(!n.value)return null;let r=t.stringToNative(n.value)[1];if(n.input.type==="biguint")return r.toString();if(n.input.type==="asset"){let{identifier:e,amount:i}=r;return{identifier:e,amount:i.toString()}}else return r}function H(n){return n.map(t=>t.value).filter(t=>t!=null&&t!=="")}function G(n,t){let r={};return n.forEach(e=>{let i=e.input.as||e.input.name,s=Ft(e,t);if(e.input.position&&typeof e.input.position=="string"&&e.input.position.startsWith(c.Position.Payload)){let a=Ut(e.input.position,i,s);r=Ct(r,a)}else r[i]=s}),r}var Tr=(n,t,r,e)=>{let i=n.preferences?.providers?.[t];return i?.[r]?typeof i[r]=="string"?{url:i[r]}:i[r]:{url:e}};var L=class L{static debug(...t){L.isTestEnv||console.debug(...t)}static info(...t){L.isTestEnv||console.info(...t)}static warn(...t){L.isTestEnv||console.warn(...t)}static error(...t){L.isTestEnv||console.error(...t)}};L.isTestEnv=typeof process<"u"&&process.env.JEST_WORKER_ID!==void 0;var C=L;var ot=async(n,t,r,e,i,s)=>{let a=[],o=[],p={};for(let[u,f]of Object.entries(n.output||{})){if(f.startsWith(c.Transform.Prefix))continue;let g=Lt(f);if(g!==null&&g!==r){p[u]=null;continue}let[W,...y]=f.split("."),m=(v,A)=>A.reduce((E,N)=>E&&E[N]!==void 0?E[N]:null,v);if(W==="out"||W.startsWith("out[")){let v=y.length===0?t?.data||t:m(t,y);a.push(String(v)),o.push(v),p[u]=v}else p[u]=f}let l=G(e,i);return{values:{string:a,native:o,mapped:l},output:await Ht(n,p,r,e,i,s)}},Ht=async(n,t,r,e,i,s)=>{if(!n.output)return t;let a={...t};return a=Pr(a,n,r,e,i),a=await Er(n,a,s.transform?.runner||null),a},Pr=(n,t,r,e,i)=>{let s={...n},a=w(t,r)?.inputs||[];for(let[o,p]of Object.entries(s))if(typeof p=="string"&&p.startsWith("in.")){let l=p.split(".")[1],u=a.findIndex(g=>g.as===l||g.name===l),f=u!==-1?e[u]?.value:null;s[o]=f?i.stringToNative(f)[1]:null}return s},Er=async(n,t,r)=>{if(!n.output)return t;let e={...t},i=Object.entries(n.output).filter(([,s])=>s.startsWith(c.Transform.Prefix)).map(([s,a])=>({key:s,code:a.substring(c.Transform.Prefix.length)}));if(i.length>0&&(!r||typeof r.run!="function"))throw new Error("Transform output is defined but no transform runner is configured. Provide a runner via config.transform.runner.");for(let{key:s,code:a}of i)try{e[s]=await r.run(a,e)}catch(o){C.error(`Transform error for output '${s}':`,o),e[s]=null}return e},Lt=n=>{if(n==="out")return 1;let t=n.match(/^out\[(\d+)\]/);return t?parseInt(t[1],10):(n.startsWith("out.")||n.startsWith("event."),null)};async function jt(n,t,r,e=5){let i=await ht(64,r),s=new Date(Date.now()+e*60*1e3).toISOString();return{message:JSON.stringify({wallet:n,nonce:i,expiresAt:s,purpose:t}),nonce:i,expiresAt:s}}async function pt(n,t,r,e){let i=e||`prove-wallet-ownership for app "${t}"`;return jt(n,i,r,5)}function ct(n,t,r,e){return{"X-Signer-Wallet":n,"X-Signer-Signature":t,"X-Signer-Nonce":r,"X-Signer-ExpiresAt":e}}async function Rr(n,t,r,e){let{message:i,nonce:s,expiresAt:a}=await pt(n,r,e),o=await t(i);return ct(n,o,s,a)}function Br(n){let t=new Date(n).getTime();return Date.now()<t}function $r(n){try{let t=JSON.parse(n);if(!t.wallet||!t.nonce||!t.expiresAt||!t.purpose)throw new Error("Invalid signed message: missing required fields");return t}catch(t){throw new Error(`Failed to parse signed message: ${t instanceof Error?t.message:"Unknown error"}`)}}var Dt=n=>n?typeof n=="string"?n:n.address:null,S=(n,t)=>Dt(n.user?.wallets?.[t]||null),kt=n=>n?typeof n=="string"?n:n.privateKey:null,qt=n=>n?typeof n=="string"?n:n.mnemonic:null,Vr=(n,t)=>kt(n.user?.wallets?.[t]||null)?.trim()||null,Nr=(n,t)=>qt(n.user?.wallets?.[t]||null)?.trim()||null;var x=class{constructor(t){this.typeRegistry=t?.typeRegistry}nativeToString(t,r){if(t===d.Tuple&&Array.isArray(r)){if(r.length===0)return t+c.ArgParamsSeparator;if(r.every(e=>typeof e=="string"&&e.includes(c.ArgParamsSeparator))){let e=r.map(a=>this.getTypeAndValue(a)),i=e.map(([a])=>a),s=e.map(([,a])=>a);return`${t}(${i.join(c.ArgCompositeSeparator)})${c.ArgParamsSeparator}${s.join(c.ArgListSeparator)}`}return t+c.ArgParamsSeparator+r.join(c.ArgListSeparator)}if(t===d.Struct&&typeof r=="object"&&r!==null&&!Array.isArray(r)){let e=r;if(!e._name)throw new Error("Struct objects must have a _name property to specify the struct name");let i=e._name,s=Object.keys(e).filter(o=>o!=="_name");if(s.length===0)return`${t}(${i})${c.ArgParamsSeparator}`;let a=s.map(o=>{let[p,l]=this.getTypeAndValue(e[o]);return`(${o}${c.ArgParamsSeparator}${p})${l}`});return`${t}(${i})${c.ArgParamsSeparator}${a.join(c.ArgListSeparator)}`}if(t===d.Vector&&Array.isArray(r)){if(r.length===0)return`${t}${c.ArgParamsSeparator}`;if(r.every(e=>typeof e=="string"&&e.includes(c.ArgParamsSeparator))){let e=r[0],i=e.indexOf(c.ArgParamsSeparator),s=e.substring(0,i),a=r.map(p=>{let l=p.indexOf(c.ArgParamsSeparator),u=p.substring(l+1);return s.startsWith(d.Tuple)?u.replace(c.ArgListSeparator,c.ArgCompositeSeparator):u}),o=s.startsWith(d.Struct)?c.ArgStructSeparator:c.ArgListSeparator;return t+c.ArgParamsSeparator+s+c.ArgParamsSeparator+a.join(o)}return t+c.ArgParamsSeparator+r.join(c.ArgListSeparator)}if(t===d.Asset&&typeof r=="object"&&r&&"identifier"in r&&"amount"in r)return"decimals"in r?d.Asset+c.ArgParamsSeparator+r.identifier+c.ArgCompositeSeparator+String(r.amount)+c.ArgCompositeSeparator+String(r.decimals):d.Asset+c.ArgParamsSeparator+r.identifier+c.ArgCompositeSeparator+String(r.amount);if(this.typeRegistry){let e=this.typeRegistry.getHandler(t);if(e)return e.nativeToString(r);let i=this.typeRegistry.resolveType(t);if(i!==t)return this.nativeToString(i,r)}return t+c.ArgParamsSeparator+(r?.toString()??"")}stringToNative(t){let r=t.split(c.ArgParamsSeparator),e=r[0],i=r.slice(1).join(c.ArgParamsSeparator);if(e==="null")return[e,null];if(e===d.Option){let[s,a]=i.split(c.ArgParamsSeparator);return[d.Option+c.ArgParamsSeparator+s,a||null]}if(e===d.Vector){let s=i.indexOf(c.ArgParamsSeparator),a=i.substring(0,s),o=i.substring(s+1),p=a.startsWith(d.Struct)?c.ArgStructSeparator:c.ArgListSeparator,u=(o?o.split(p):[]).map(f=>this.stringToNative(a+c.ArgParamsSeparator+f)[1]);return[d.Vector+c.ArgParamsSeparator+a,u]}else if(e.startsWith(d.Tuple)){let s=e.match(/\(([^)]+)\)/)?.[1]?.split(c.ArgCompositeSeparator),o=i.split(c.ArgCompositeSeparator).map((p,l)=>this.stringToNative(`${s[l]}${c.IdentifierParamSeparator}${p}`)[1]);return[e,o]}else if(e.startsWith(d.Struct)){let s=e.match(/\(([^)]+)\)/);if(!s)throw new Error("Struct type must include a name in the format struct(Name)");let o={_name:s[1]};return i&&i.split(c.ArgListSeparator).forEach(p=>{let l=p.match(new RegExp(`^\\(([^${c.ArgParamsSeparator}]+)${c.ArgParamsSeparator}([^)]+)\\)(.+)$`));if(l){let[,u,f,g]=l;o[u]=this.stringToNative(`${f}${c.IdentifierParamSeparator}${g}`)[1]}}),[e,o]}else{if(e===d.String)return[e,i];if(e===d.Uint8||e===d.Uint16||e===d.Uint32)return[e,Number(i)];if(e===d.Uint64||e===d.Uint128||e===d.Uint256||e===d.Biguint)return[e,BigInt(i||0)];if(e===d.Bool)return[e,i==="true"];if(e===d.Address)return[e,i];if(e===d.Hex)return[e,i];if(e===d.Asset){let[s,a]=i.split(c.ArgCompositeSeparator),o={identifier:s,amount:BigInt(a)};return[e,o]}}if(this.typeRegistry){let s=this.typeRegistry.getHandler(e);if(s){let o=s.stringToNative(i);return[e,o]}let a=this.typeRegistry.resolveType(e);if(a!==e){let[o,p]=this.stringToNative(`${a}:${i}`);return[e,p]}}throw new Error(`WarpArgSerializer (stringToNative): Unsupported input type: ${e}`)}getTypeAndValue(t){if(typeof t=="string"&&t.includes(c.ArgParamsSeparator)){let[r,e]=t.split(c.ArgParamsSeparator);return[r,e]}return typeof t=="number"?[d.Uint32,t]:typeof t=="bigint"?[d.Uint64,t]:typeof t=="boolean"?[d.Bool,t]:[typeof t,t]}};var Or=n=>new x().nativeToString(d.String,n),Ur=n=>new x().nativeToString(d.Uint8,n),Fr=n=>new x().nativeToString(d.Uint16,n),Hr=n=>new x().nativeToString(d.Uint32,n),Lr=n=>new x().nativeToString(d.Uint64,n),jr=n=>new x().nativeToString(d.Biguint,n),Dr=n=>new x().nativeToString(d.Bool,n),kr=n=>new x().nativeToString(d.Address,n),It=n=>new x().nativeToString(d.Asset,n),qr=n=>new x().nativeToString(d.Hex,n),zr=(n,t)=>{if(t===null)return d.Option+c.ArgParamsSeparator;let r=n(t),e=r.indexOf(c.ArgParamsSeparator),i=r.substring(0,e),s=r.substring(e+1);return d.Option+c.ArgParamsSeparator+i+c.ArgParamsSeparator+s},Mr=(...n)=>new x().nativeToString(d.Tuple,n),Gr=n=>new x().nativeToString(d.Struct,n),Jr=n=>new x().nativeToString(d.Vector,n);var zt=rt(require("ajv"),1);var St=class{constructor(t){this.pendingBrand={protocol:k("brand"),name:"",description:"",logo:""};this.config=t}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.ensureValidSchema(e),e}setName(t){return this.pendingBrand.name=t,this}setDescription(t){return this.pendingBrand.description=t,this}setLogo(t){return this.pendingBrand.logo=t,this}setUrls(t){return this.pendingBrand.urls=t,this}setColors(t){return this.pendingBrand.colors=t,this}setCta(t){return this.pendingBrand.cta=t,this}async build(){return this.ensureWarpText(this.pendingBrand.name,"name is required"),this.ensureWarpText(this.pendingBrand.description,"description is required"),typeof this.pendingBrand.logo=="string"&&this.ensure(this.pendingBrand.logo,"logo is required"),await this.ensureValidSchema(this.pendingBrand),this.pendingBrand}ensure(t,r){if(!t)throw new Error(`Warp: ${r}`)}ensureWarpText(t,r){if(!t)throw new Error(`Warp: ${r}`);if(typeof t=="object"&&Object.keys(t).length===0)throw new Error(`Warp: ${r}`)}async ensureValidSchema(t){let r=this.config.schema?.brand||R.LatestBrandSchemaUrl,i=await(await fetch(r)).json(),s=new zt.default,a=s.compile(i);if(!a(t))throw new Error(`BrandBuilder: schema validation failed: ${s.errorsText(a.errors)}`)}};var Mt=rt(require("ajv"),1);var J=class{constructor(t){this.config=t;this.config=t}async validate(t){let r=[];return r.push(...this.validatePrimaryAction(t)),r.push(...this.validateMaxOneValuePosition(t)),r.push(...this.validateVariableNamesAndResultNamesUppercase(t)),r.push(...this.validateAbiIsSetIfApplicable(t)),r.push(...await this.validateSchema(t)),{valid:r.length===0,errors:r}}validatePrimaryAction(t){try{let{action:r}=B(t);return r?[]:["Primary action is required"]}catch(r){return[r instanceof Error?r.message:"Primary action is required"]}}validateMaxOneValuePosition(t){return t.actions.filter(e=>e.inputs?e.inputs.some(i=>i.position==="value"):!1).length>1?["Only one value position action is allowed"]:[]}validateVariableNamesAndResultNamesUppercase(t){let r=[],e=(i,s)=>{i&&Object.keys(i).forEach(a=>{a!==a.toUpperCase()&&r.push(`${s} name '${a}' must be uppercase`)})};return e(t.vars,"Variable"),e(t.output,"Output"),r}validateAbiIsSetIfApplicable(t){let r=t.actions.some(a=>a.type==="contract"),e=t.actions.some(a=>a.type==="query");if(!r&&!e)return[];let i=t.actions.some(a=>a.abi),s=Object.values(t.output||{}).some(a=>a.startsWith("out.")||a.startsWith("event."));return t.output&&!i&&s?["ABI is required when output is present for contract or query actions"]:[]}async validateSchema(t){try{let r=this.config.schema?.warp||R.LatestWarpSchemaUrl,i=await(await fetch(r)).json(),s=new Mt.default({strict:!1}),a=s.compile(i);return a(t)?[]:[`Schema validation failed: ${s.errorsText(a.errors)}`]}catch(r){return[`Schema validation failed: ${r instanceof Error?r.message:String(r)}`]}}};var wt=class{constructor(t){this.config=t;this.pendingWarp={protocol:k("warp"),chain:"",name:"",title:"",description:null,preview:"",actions:[]}}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.validate(e),e}async createFromUrl(t){return await(await fetch(t)).json()}setChain(t){return this.pendingWarp.chain=t,this}setName(t){return this.pendingWarp.name=t,this}setTitle(t){return this.pendingWarp.title=t,this}setDescription(t){return this.pendingWarp.description=t,this}setPreview(t){return this.pendingWarp.preview=t,this}setActions(t){return this.pendingWarp.actions=t,this}addAction(t){return this.pendingWarp.actions.push(t),this}async build(){return this.ensure(this.pendingWarp.protocol,"protocol is required"),this.ensure(this.pendingWarp.name,"name is required"),this.ensureWarpText(this.pendingWarp.title,"title is required"),this.ensure(this.pendingWarp.actions.length>0,"actions are required"),await this.validate(this.pendingWarp),this.pendingWarp}getDescriptionPreview(t,r=100){return mt(t,r)}ensure(t,r){if(!t)throw new Error(r)}ensureWarpText(t,r){if(!t)throw new Error(r);if(typeof t=="object"&&!t.en)throw new Error(r)}async validate(t){let e=await new J(this.config).validate(t);if(!e.valid)throw new Error(e.errors.join(`
|
|
2
|
+
`))}};var Q=class{constructor(t="warp-cache"){this.prefix=t}getKey(t){return`${this.prefix}:${t}`}get(t){try{let r=localStorage.getItem(this.getKey(t));if(!r)return null;let e=JSON.parse(r,Kr);return Date.now()>e.expiresAt?(localStorage.removeItem(this.getKey(t)),null):e.value}catch{return null}}set(t,r,e){let i={value:r,expiresAt:Date.now()+e*1e3};localStorage.setItem(this.getKey(t),JSON.stringify(i,Qr))}forget(t){localStorage.removeItem(this.getKey(t))}clear(){for(let t=0;t<localStorage.length;t++){let r=localStorage.key(t);r?.startsWith(this.prefix)&&localStorage.removeItem(r)}}},Gt=new x,Qr=(n,t)=>typeof t=="bigint"?Gt.nativeToString("biguint",t):t,Kr=(n,t)=>typeof t=="string"&&t.startsWith(d.Biguint+":")?Gt.stringToNative(t)[1]:t;var V=class V{get(t){let r=V.cache.get(t);return r?Date.now()>r.expiresAt?(V.cache.delete(t),null):r.value:null}set(t,r,e){let i=Date.now()+e*1e3;V.cache.set(t,{value:r,expiresAt:i})}forget(t){V.cache.delete(t)}clear(){V.cache.clear()}};V.cache=new Map;var K=V;var bt={OneMinute:60,OneHour:3600,OneDay:3600*24,OneWeek:3600*24*7,OneMonth:3600*24*30,OneYear:3600*24*365},lt={Warp:(n,t)=>`warp:${n}:${t}`,WarpAbi:(n,t)=>`warp-abi:${n}:${t}`,WarpExecutable:(n,t,r)=>`warp-exec:${n}:${t}:${r}`,RegistryInfo:(n,t)=>`registry-info:${n}:${t}`,Brand:(n,t)=>`brand:${n}:${t}`,Asset:(n,t,r)=>`asset:${n}:${t}:${r}`},_=class{constructor(t){this.strategy=this.selectStrategy(t)}selectStrategy(t){return t==="localStorage"?new Q:t==="memory"?new K:typeof window<"u"&&window.localStorage?new Q:new K}set(t,r,e){this.strategy.set(t,r,e)}get(t){return this.strategy.get(t)}forget(t){this.strategy.forget(t)}clear(){this.strategy.clear()}};var P=class{constructor(t,r){this.config=t;this.adapter=r}async apply(t,r,e={}){let i=this.applyVars(t,r,e);return await this.applyGlobals(t,i)}async applyGlobals(t,r){let e={...r};return e.actions=await Promise.all(e.actions.map(async i=>await this.applyActionGlobals(i))),e=await this.applyRootGlobals(e,t),e}applyVars(t,r,e={}){if(!r?.vars)return r;let i=S(t,this.adapter.chainInfo.name),s=JSON.stringify(r),a=(o,p)=>{s=s.replace(new RegExp(`{{${o.toUpperCase()}}}`,"g"),p.toString())};return Object.entries(r.vars).forEach(([o,p])=>{if(typeof p!="string")a(o,p);else if(p.startsWith(c.Vars.Query+c.ArgParamsSeparator)){let l=p.slice(c.Vars.Query.length+1),[u,f]=l.split(c.ArgCompositeSeparator),g=t.currentUrl?new URLSearchParams(t.currentUrl.split("?")[1]).get(u):null,y=e.queries?.[u]||null||g;y&&a(o,y)}else if(p.startsWith(c.Vars.Env+c.ArgParamsSeparator)){let l=p.slice(c.Vars.Env.length+1),[u,f]=l.split(c.ArgCompositeSeparator),W={...t.vars,...e.envs}?.[u];W&&a(o,W)}else p===c.Source.UserWallet&&i?a(o,i):a(o,p)}),JSON.parse(s)}async applyRootGlobals(t,r){let e=JSON.stringify(t),i={config:r,adapter:this.adapter};return Object.values(c.Globals).forEach(s=>{let a=s.Accessor(i);a!=null&&(e=e.replace(new RegExp(`{{${s.Placeholder}}}`,"g"),a.toString()))}),JSON.parse(e)}async applyActionGlobals(t){let r=JSON.stringify(t),e={config:this.config,adapter:this.adapter};return Object.values(c.Globals).forEach(i=>{let s=i.Accessor(e);s!=null&&(r=r.replace(new RegExp(`{{${i.Placeholder}}}`,"g"),s.toString()))}),JSON.parse(r)}applyInputs(t,r,e,i){if(!t||typeof t!="string"||!t.includes("{{"))return t;let s=this.applyGlobalsToText(t),a=this.buildInputBag(r,e,i);return $(s,a)}applyGlobalsToText(t){if(!Object.values(c.Globals).map(a=>a.Placeholder).some(a=>t.includes(`{{${a}}}`)))return t;let i={config:this.config,adapter:this.adapter},s=t;return Object.values(c.Globals).forEach(a=>{let o=a.Accessor(i);o!=null&&(s=s.replace(new RegExp(`{{${a.Placeholder}}}`,"g"),o.toString()))}),s}buildInputBag(t,r,e){let i={};return t.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,o]=r.stringToNative(s.value);i[a]=String(o)}),e&&e.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,o]=r.stringToNative(s.value);if(i[`primary.${a}`]=String(o),s.input.type==="asset"&&typeof s.input.position=="object"){let p=o;p&&typeof p=="object"&&"identifier"in p&&"amount"in p&&(i[`primary.${a}.token`]=String(p.identifier),i[`primary.${a}.amount`]=String(p.amount))}}),i}};var j=class{constructor(t,r){this.config=t;this.adapters=r;if(!t.currentUrl)throw new Error("WarpFactory: currentUrl config not set");this.url=new URL(t.currentUrl),this.serializer=new x,this.cache=new _(t.cache?.type)}getSerializer(){return this.serializer}getResolvedInputsFromCache(t,r,e){let i=this.cache.get(lt.WarpExecutable(t,r||"",e))||[];return H(i)}async createExecutable(t,r,e,i={}){let s=w(t,r);if(!s)throw new Error("WarpFactory: Action not found");let a=await this.getChainInfoForWarp(t,e),o=h(a.name,this.adapters),p=new P(this.config,o),l=await p.apply(this.config,t,i),u=w(l,r),{action:f,index:g}=B(l),W=this.getStringTypedInputs(f,e),y=await this.getResolvedInputs(a.name,f,W,p),m=await this.getModifiedInputs(y),v=[],A=[];g===r-1&&(v=y,A=m);let E=A.find(I=>I.input.position==="receiver"||I.input.position==="destination")?.value,N=this.getDestinationFromAction(u),T=E?this.serializer.stringToNative(E)[1]:N;if(T&&(T=p.applyInputs(T,A,this.serializer,m)),!T&&s.type!=="collect")throw new Error("WarpActionExecutor: Destination/Receiver not provided");let ut=this.getPreparedArgs(u,A);ut=ut.map(I=>p.applyInputs(I,A,this.serializer,m));let Jt=A.find(I=>I.input.position==="value")?.value||null,Qt="value"in u?u.value:null,Kt=Jt?.split(c.ArgParamsSeparator)[1]||Qt||"0",_t=p.applyInputs(Kt,A,this.serializer,m),Xt=BigInt(_t),Zt=A.filter(I=>I.input.position==="transfer"&&I.value).map(I=>I.value),Yt=[...("transfers"in u?u.transfers:[])||[],...Zt||[]].map(I=>{let nr=p.applyInputs(I,A,this.serializer,m);return this.serializer.stringToNative(nr)[1]}),tr=A.find(I=>I.input.position==="data")?.value,rr="data"in u?u.data||"":null,Et=tr||rr||null,er=Et?p.applyInputs(Et,A,this.serializer,m):null,Rt={warp:l,chain:a,action:r,destination:T,args:ut,value:Xt,transfers:Yt,data:er,resolvedInputs:A};return this.cache.set(lt.WarpExecutable(this.config.env,l.meta?.hash||"",r),Rt.resolvedInputs,bt.OneWeek),Rt}async getChainInfoForWarp(t,r){if(t.chain)return h(t.chain,this.adapters).chainInfo;if(r){let i=await this.tryGetChainFromInputs(t,r);if(i)return i}return this.adapters[0].chainInfo}getStringTypedInputs(t,r){let e=t.inputs||[];return r.map((i,s)=>{let a=e[s];return!a||i.includes(c.ArgParamsSeparator)?i:this.serializer.nativeToString(a.type,i)})}async getResolvedInputs(t,r,e,i){let s=r.inputs||[],a=await Promise.all(e.map(p=>this.preprocessInput(t,p))),o=(p,l)=>{if(p.source==="query"){let u=this.url.searchParams.get(p.name);return u?this.serializer.nativeToString(p.type,u):null}else if(p.source===c.Source.UserWallet){let u=S(this.config,t);return u?this.serializer.nativeToString("address",u):null}else if(p.source==="hidden"){if(p.default===void 0)return null;let u=i?i.applyInputs(String(p.default),[],this.serializer):String(p.default);return this.serializer.nativeToString(p.type,u)}else return a[l]||null};return s.map((p,l)=>{let u=o(p,l),f=p.default!==void 0?i?i.applyInputs(String(p.default),[],this.serializer):String(p.default):void 0;return{input:p,value:u||(f!==void 0?this.serializer.nativeToString(p.type,f):null)}})}async getModifiedInputs(t){let r=[];for(let e=0;e<t.length;e++){let i=t[e];if(i.input.modifier?.startsWith("scale:")){let[,s]=i.input.modifier.split(":");if(isNaN(Number(s))){let a=Number(t.find(l=>l.input.name===s)?.value?.split(":")[1]);if(!a)throw new Error(`WarpActionExecutor: Exponent value not found for input ${s}`);let o=i.value?.split(":")[1];if(!o)throw new Error("WarpActionExecutor: Scalable value not found");let p=q(o,+a);r.push({...i,value:`${i.input.type}:${p}`})}else{let a=i.value?.split(":")[1];if(!a)throw new Error("WarpActionExecutor: Scalable value not found");let o=q(a,+s);r.push({...i,value:`${i.input.type}:${o}`})}}else if(i.input.modifier?.startsWith(c.Transform.Prefix)){let s=i.input.modifier.substring(c.Transform.Prefix.length),a=this.config.transform?.runner;if(!a||typeof a.run!="function")throw new Error("Transform modifier is defined but no transform runner is configured. Provide a runner via config.transform.runner.");let o=this.buildInputContext(t,e,i),p=await a.run(s,o);if(p==null)r.push(i);else{let l=this.serializer.nativeToString(i.input.type,p);r.push({...i,value:l})}}else r.push(i)}return r}buildInputContext(t,r,e){let i={};for(let s=0;s<r;s++){let a=t[s];if(!a.value)continue;let o=a.input.as||a.input.name,[,p]=this.serializer.stringToNative(a.value);if(i[o]=p,a.input.type==="asset"&&typeof p=="object"&&p!==null){let l=p;"identifier"in l&&"amount"in l&&(i[`${o}.token`]=String(l.identifier),i[`${o}.amount`]=String(l.amount),i[`${o}.identifier`]=String(l.identifier))}}if(e&&e.value){let s=e.input.as||e.input.name,[,a]=this.serializer.stringToNative(e.value);if(i[s]=a,e.input.type==="asset"&&typeof a=="object"&&a!==null){let o=a;"identifier"in o&&"amount"in o&&(i[`${s}.token`]=String(o.identifier),i[`${s}.amount`]=String(o.amount),i[`${s}.identifier`]=String(o.identifier))}}return i}async preprocessInput(t,r){try{let[e,i]=st(r),s=h(t,this.adapters);if(e==="asset"){let[a,o,p]=i.split(c.ArgCompositeSeparator);if(p)return r;let l=await s.dataLoader.getAsset(a);if(!l)throw new Error(`WarpFactory: Asset not found for asset ${a}`);if(typeof l.decimals!="number")throw new Error(`WarpFactory: Decimals not found for asset ${a}`);let u=q(o,l.decimals);return It({...l,amount:u})}else return r}catch(e){throw C.warn("WarpFactory: Preprocess input failed",e),e}}getDestinationFromAction(t){if("address"in t&&t.address)return t.address;if("destination"in t&&t.destination){if(typeof t.destination=="string")return t.destination;if(typeof t.destination=="object"&&"url"in t.destination)return t.destination.url}return null}getPreparedArgs(t,r){let e="args"in t?t.args||[]:[],i=[];return r.forEach(({input:s,value:a})=>{if(!(!a||!s.position)){if(typeof s.position=="object"){if(s.type!=="asset")throw new Error(`WarpFactory: Object position is only supported for asset type. Input "${s.name}" has type "${s.type}"`);if(!s.position.token?.startsWith("arg:")||!s.position.amount?.startsWith("arg:"))throw new Error(`WarpFactory: Object position must have token and amount as arg:N. Input "${s.name}"`);let[o,p]=this.serializer.stringToNative(a),l=p;if(!l||typeof l!="object"||!("identifier"in l)||!("amount"in l))throw new Error(`WarpFactory: Invalid asset value for input "${s.name}"`);let u=Number(s.position.token.split(":")[1])-1,f=Number(s.position.amount.split(":")[1])-1;i.push({index:u,value:this.serializer.nativeToString("address",l.identifier)}),i.push({index:f,value:this.serializer.nativeToString("uint256",l.amount)})}else if(s.position.startsWith("arg:")){let o=Number(s.position.split(":")[1])-1;i.push({index:o,value:a})}}}),i.forEach(({index:s,value:a})=>{for(;e.length<=s;)e.push(void 0);e[s]=a}),e.filter(s=>s!==void 0)}async tryGetChainFromInputs(t,r){let e=t.actions.find(p=>p.inputs?.some(l=>l.position==="chain"));if(!e)return null;let i=e.inputs?.findIndex(p=>p.position==="chain");if(i===-1||i===void 0)return null;let s=r[i];if(!s)throw new Error("Chain input not found");let a=this.serializer.stringToNative(s)[1];return h(a,this.adapters).chainInfo}};var X=class{constructor(t,r,e){this.config=t;this.adapters=r;this.handlers=e;this.handlers=e,this.factory=new j(t,r)}async execute(t,r,e={}){let i=[],s=null,a=[],o=[],{action:p,index:l}=B(t);for(let u=1;u<=t.actions.length;u++){let f=w(t,u);if(!it(f,t))continue;let{tx:g,chain:W,immediateExecution:y,executable:m}=await this.executeAction(t,u,r,e);g&&i.push(g),W&&(s=W),y&&a.push(y),m&&u===l+1&&m.resolvedInputs&&(o=H(m.resolvedInputs))}if(!s&&i.length>0)throw new Error(`WarpExecutor: Chain not found for ${i.length} transactions`);if(i.length===0&&a.length>0){let u=a[a.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(u))}return{txs:i,chain:s,immediateExecutions:a,resolvedInputs:o}}async executeAction(t,r,e,i={}){let s=w(t,r);if(s.type==="link")return await this.callHandler(async()=>{let l=s.url;this.config.interceptors?.openLink?await this.config.interceptors.openLink(l):dt.open(l,"_blank")}),{tx:null,chain:null,immediateExecution:null,executable:null};let a=await this.factory.createExecutable(t,r,e,i);if(s.type==="collect"){let l=await this.executeCollect(a);return l.status==="success"?(await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):l.status==="unhandled"?(await this.callHandler(()=>this.handlers?.onActionUnhandled?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):(this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:null,immediateExecution:null,executable:a})}let o=h(a.chain.name,this.adapters);if(s.type==="query"){let l=await o.executor.executeQuery(a);return l.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:a.chain,execution:l,tx:null})):this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:a.chain,immediateExecution:l,executable:a}}return{tx:await o.executor.createTransaction(a),chain:a.chain,immediateExecution:null,executable:a}}async evaluateOutput(t,r){if(r.length===0||t.actions.length===0||!this.handlers)return;let e=await this.factory.getChainInfoForWarp(t),i=h(e.name,this.adapters),s=(await Promise.all(t.actions.map(async(a,o)=>{if(!it(a,t)||a.type!=="transfer"&&a.type!=="contract")return null;let p=r[o],l=o+1;if(!p){let f=this.factory.getResolvedInputsFromCache(this.config.env,t.meta?.hash,l),g={status:"error",warp:t,action:l,user:S(this.config,e.name),txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{},messages:{},destination:null,resolvedInputs:f};return await this.callHandler(()=>this.handlers?.onError?.({message:`Action ${l} failed: Transaction not found`})),g}let u=await i.output.getActionExecution(t,l,p);return u.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:l,chain:e,execution:u,tx:p})):await this.callHandler(()=>this.handlers?.onError?.({message:"Action failed: "+JSON.stringify(u.values)})),u}))).filter(a=>a!==null);if(s.every(a=>a.status==="success")){let a=s[s.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(a))}else await this.callHandler(()=>this.handlers?.onError?.({message:`Warp failed: ${JSON.stringify(s.map(a=>a.values))}`}))}async executeCollect(t,r){let e=S(this.config,t.chain.name),i=w(t.warp,t.action),s=this.factory.getSerializer(),a=G(t.resolvedInputs,s);if(i.destination&&typeof i.destination=="object"&&"url"in i.destination)return await this.doHttpRequest(t,i.destination,e,a,r);let{values:o,output:p}=await ot(t.warp,a,t.action,t.resolvedInputs,s,this.config);return this.buildCollectResult(t,e,"unhandled",o,p)}async doHttpRequest(t,r,e,i,s){let a=new P(this.config,h(t.chain.name,this.adapters)),o=new Headers;if(o.set("Content-Type","application/json"),o.set("Accept","application/json"),this.handlers?.onSignRequest){if(!e)throw new Error(`No wallet configured for chain ${t.chain.name}`);let{message:f,nonce:g,expiresAt:W}=await pt(e,`${t.chain.name}-adapter`),y=await this.callHandler(()=>this.handlers?.onSignRequest?.({message:f,chain:t.chain}));if(y){let m=ct(e,y,g,W);Object.entries(m).forEach(([v,A])=>o.set(v,A))}}r.headers&&Object.entries(r.headers).forEach(([f,g])=>{let W=a.applyInputs(g,t.resolvedInputs,this.factory.getSerializer());o.set(f,W)});let p=r.method||"GET",l=p==="GET"?void 0:JSON.stringify({...i,...s}),u=a.applyInputs(r.url,t.resolvedInputs,this.factory.getSerializer());C.debug("WarpExecutor: Executing HTTP collect",{url:u,method:p,headers:o,body:l});try{let f=await fetch(u,{method:p,headers:o,body:l});C.debug("Collect response status",{status:f.status});let g=await f.json();C.debug("Collect response content",{content:g});let{values:W,output:y}=await ot(t.warp,g,t.action,t.resolvedInputs,this.factory.getSerializer(),this.config);return this.buildCollectResult(t,S(this.config,t.chain.name),f.ok?"success":"error",W,y,g)}catch(f){C.error("WarpActionExecutor: Error executing collect",f);let g=H(t.resolvedInputs);return{status:"error",warp:t.warp,action:t.action,user:e,txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{_DATA:f},messages:{},destination:this.getDestinationFromResolvedInputs(t),resolvedInputs:g}}}getDestinationFromResolvedInputs(t){return t.resolvedInputs.find(e=>e.input.position==="receiver"||e.input.position==="destination")?.value||t.destination}buildCollectResult(t,r,e,i,s,a){let o=xt(this.config,this.adapters,t.warp,t.action,s),p=H(t.resolvedInputs);return{status:e,warp:t.warp,action:t.action,user:r||S(this.config,t.chain.name),txHash:null,tx:null,next:o,values:i,output:a?{...s,_DATA:a}:s,messages:vt(t.warp,s,this.config),destination:this.getDestinationFromResolvedInputs(t),resolvedInputs:p}}async callHandler(t){if(t)return await t()}};var Z=class{constructor(t){this.config=t}async search(t,r,e){if(!this.config.index?.url)throw new Error("WarpIndex: Index URL is not set");try{let i=await fetch(this.config.index?.url,{method:"POST",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.config.index?.apiKey}`,...e},body:JSON.stringify({[this.config.index?.searchParamName||"search"]:t,...r})});if(!i.ok)throw new Error(`WarpIndex: search failed with status ${i.status}: ${await i.text()}`);return(await i.json()).hits}catch(i){throw C.error("WarpIndex: Error searching for warps: ",i),i}}};var Y=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(c.HttpProtocolPrefix)?!!D(t):!1}async detectFromHtml(t){if(!t.length)return{match:!1,output:[]};let i=[...t.matchAll(/https?:\/\/[^\s"'<>]+/gi)].map(l=>l[0]).filter(l=>this.isValid(l)).map(l=>this.detect(l)),a=(await Promise.all(i)).filter(l=>l.match),o=a.length>0,p=a.map(l=>({url:l.url,warp:l.warp}));return{match:o,output:p}}async detect(t,r){let e={match:!1,url:t,warp:null,chain:null,registryInfo:null,brand:null},i=t.startsWith(c.HttpProtocolPrefix)?D(t):b(t);if(!i)return e;try{let{type:s,identifierBase:a}=i,o=null,p=null,l=null,u=h(i.chain,this.adapters),f=t.startsWith(c.HttpProtocolPrefix)?Wt(t):yt(i.identifier);if(s==="hash"){o=await u.builder().createFromTransactionHash(a,r);let W=await u.registry.getInfoByHash(a,r);p=W.registryInfo,l=W.brand}else if(s==="alias"){let W=await u.registry.getInfoByAlias(a,r);p=W.registryInfo,l=W.brand,W.registryInfo&&(o=await u.builder().createFromTransactionHash(W.registryInfo.hash,r))}o&&o.meta&&(_r(o,u.chainInfo.name,p,i.identifier),o.meta.query=f);let g=o?await new P(this.config,u).apply(this.config,o):null;return g?{match:!0,url:t,warp:g,chain:u.chainInfo.name,registryInfo:p,brand:l}:e}catch(s){return C.error("Error detecting warp link",s),e}}},_r=(n,t,r,e)=>{n.meta&&(n.meta.identifier=r?.alias?at(t,"alias",r.alias):at(t,"hash",r?.hash??e))};var Tt=class{constructor(t,r){this.config=t;this.adapters=r}getConfig(){return this.config}getAdapters(){return this.adapters}addAdapter(t){return this.adapters.push(t),this}createExecutor(t){return new X(this.config,this.adapters,t)}async detectWarp(t,r){return new Y(this.config,this.adapters).detect(t,r)}async executeWarp(t,r,e,i={}){let s=typeof t=="object",a=!s&&t.startsWith("http")&&t.endsWith(".json"),o=s?t:null;if(!o&&a){let y=await fetch(t);if(!y.ok)throw new Error("WarpClient: executeWarp - invalid url");o=await y.json()}if(o||(o=(await this.detectWarp(t,i.cache)).warp),!o)throw new Error("Warp not found");let p=this.createExecutor(e),{txs:l,chain:u,immediateExecutions:f,resolvedInputs:g}=await p.execute(o,r,{queries:i.queries});return{txs:l,chain:u,immediateExecutions:f,evaluateOutput:async y=>{await p.evaluateOutput(o,y)},resolvedInputs:g}}async createInscriptionTransaction(t,r){return await h(t,this.adapters).builder().createInscriptionTransaction(r)}async createFromTransaction(t,r,e=!1){return h(t,this.adapters).builder().createFromTransaction(r,e)}async createFromTransactionHash(t,r){let e=b(t);if(!e)throw new Error("WarpClient: createFromTransactionHash - invalid hash");return h(e.chain,this.adapters).builder().createFromTransactionHash(t,r)}async signMessage(t,r){if(!S(this.config,t))throw new Error(`No wallet configured for chain ${t}`);return h(t,this.adapters).wallet.signMessage(r)}async getActions(t,r,e=!1){let i=this.getDataLoader(t);return(await Promise.all(r.map(async a=>i.getAction(a,e)))).filter(a=>a!==null)}getExplorer(t){return h(t,this.adapters).explorer}getOutput(t){return h(t,this.adapters).output}async getRegistry(t){let r=h(t,this.adapters).registry;return await r.init(),r}getDataLoader(t){return h(t,this.adapters).dataLoader}getWallet(t){return h(t,this.adapters).wallet}get factory(){return new j(this.config,this.adapters)}get index(){return new Z(this.config)}get linkBuilder(){return new F(this.config,this.adapters)}createBuilder(t){return h(t,this.adapters).builder()}createAbiBuilder(t){return h(t,this.adapters).abiBuilder()}createBrandBuilder(t){return h(t,this.adapters).brandBuilder()}createSerializer(t){return h(t,this.adapters).serializer}resolveText(t){return z(t,this.config)}};var Pt=class{constructor(){this.typeHandlers=new Map;this.typeAliases=new Map}registerType(t,r){this.typeHandlers.set(t,r)}registerTypeAlias(t,r){this.typeAliases.set(t,r)}hasType(t){return this.typeHandlers.has(t)||this.typeAliases.has(t)}getHandler(t){let r=this.typeAliases.get(t);return r?this.getHandler(r):this.typeHandlers.get(t)}getAlias(t){return this.typeAliases.get(t)}resolveType(t){let r=this.typeAliases.get(t);return r?this.resolveType(r):t}getRegisteredTypes(){return Array.from(new Set([...this.typeHandlers.keys(),...this.typeAliases.keys()]))}};0&&(module.exports={BrowserCryptoProvider,CacheTtl,NodeCryptoProvider,WARP_LANGUAGES,WarpBrandBuilder,WarpBuilder,WarpCache,WarpCacheKey,WarpChainName,WarpClient,WarpConfig,WarpConstants,WarpExecutor,WarpFactory,WarpIndex,WarpInputTypes,WarpInterpolator,WarpLinkBuilder,WarpLinkDetecter,WarpLogger,WarpProtocolVersions,WarpSerializer,WarpTypeRegistry,WarpValidator,address,applyOutputToMessages,asset,biguint,bool,buildMappedOutput,buildNestedPayload,bytesToBase64,bytesToHex,cleanWarpIdentifier,createAuthHeaders,createAuthMessage,createCryptoProvider,createHttpAuthHeaders,createSignableMessage,createWarpI18nText,createWarpIdentifier,evaluateOutputCommon,extractCollectOutput,extractIdentifierInfoFromUrl,extractQueryStringFromIdentifier,extractQueryStringFromUrl,extractResolvedInputValues,extractWarpSecrets,findWarpAdapterForChain,getCryptoProvider,getEventNameFromWarp,getLatestProtocolIdentifier,getNextInfo,getProviderConfig,getRandomBytes,getRandomHex,getWarpActionByIndex,getWarpBrandLogoUrl,getWarpInfoFromIdentifier,getWarpPrimaryAction,getWarpWalletAddress,getWarpWalletAddressFromConfig,getWarpWalletMnemonic,getWarpWalletMnemonicFromConfig,getWarpWalletPrivateKey,getWarpWalletPrivateKeyFromConfig,hasInputPrefix,hex,isEqualWarpIdentifier,isWarpActionAutoExecute,isWarpI18nText,mergeNestedPayload,option,parseOutputOutIndex,parseSignedMessage,replacePlaceholders,resolveWarpText,safeWindow,setCryptoProvider,shiftBigintBy,splitInput,string,struct,testCryptoAvailability,toInputPayloadValue,toPreviewText,tuple,uint16,uint32,uint64,uint8,validateSignedMessage,vector});
|
package/dist/index.mjs
CHANGED
|
@@ -1,2 +1,2 @@
|
|
|
1
|
-
var Dt=(p=>(p.Multiversx="multiversx",p.Vibechain="vibechain",p.Sui="sui",p.Ethereum="ethereum",p.Base="base",p.Arbitrum="arbitrum",p.Somnia="somnia",p.Fastset="fastset",p))(Dt||{}),o={HttpProtocolPrefix:"http",IdentifierParamName:"warp",IdentifierParamSeparator:":",IdentifierChainDefault:"multiversx",IdentifierType:{Alias:"alias",Hash:"hash"},IdentifierAliasMarker:"@",Globals:{UserWallet:{Placeholder:"USER_WALLET",Accessor:n=>n.config.user?.wallets?.[n.adapter.chainInfo.name]},UserWalletPublicKey:{Placeholder:"USER_WALLET_PUBLICKEY",Accessor:n=>{if(!n.adapter.wallet)return null;try{return n.adapter.wallet.getPublicKey()||null}catch{return null}}},ChainApiUrl:{Placeholder:"CHAIN_API",Accessor:n=>n.adapter.chainInfo.defaultApiUrl},ChainAddressHrp:{Placeholder:"CHAIN_ADDRESS_HRP",Accessor:n=>n.adapter.chainInfo.addressHrp}},Vars:{Query:"query",Env:"env"},ArgParamsSeparator:":",ArgCompositeSeparator:"|",ArgListSeparator:",",ArgStructSeparator:";",Transform:{Prefix:"transform:"},Source:{UserWallet:"user:wallet"},Position:{Payload:"payload:"},Alerts:{TriggerEventPrefix:"event"}},d={Option:"option",Vector:"vector",Tuple:"tuple",Struct:"struct",String:"string",Uint8:"uint8",Uint16:"uint16",Uint32:"uint32",Uint64:"uint64",Uint128:"uint128",Uint256:"uint256",Biguint:"biguint",Bool:"bool",Address:"address",Asset:"asset",Hex:"hex"},ut=typeof window<"u"?window:{open:()=>{}};var H={Warp:"3.0.0",Brand:"0.2.0",Abi:"0.1.0"},$={LatestWarpSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/v${H.Warp}.schema.json`,LatestBrandSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/brand/v${H.Brand}.schema.json`,DefaultClientUrl:n=>n==="devnet"?"https://devnet.usewarp.to":n==="testnet"?"https://testnet.usewarp.to":"https://usewarp.to",SuperClientUrls:["https://usewarp.to","https://testnet.usewarp.to","https://devnet.usewarp.to"],AvailableActionInputSources:["field","query",o.Source.UserWallet,"hidden"],AvailableActionInputTypes:["string","uint8","uint16","uint32","uint64","biguint","boolean","address"],AvailableActionInputPositions:["receiver","value","transfer","arg:1","arg:2","arg:3","arg:4","arg:5","arg:6","arg:7","arg:8","arg:9","arg:10","data","ignore"]};var hr=(n,t)=>{let r=n.alerts?.[t];if(!r)return null;let e=o.Alerts.TriggerEventPrefix+o.ArgParamsSeparator;if(!r.trigger.startsWith(e))return null;let i=r.trigger.replace(e,"");return i||null};var Wr=(n,t)=>typeof n.logo=="string"?n.logo:n.logo[t?.scheme??"light"];var tt=class{async getRandomBytes(t){if(typeof window>"u"||!window.crypto)throw new Error("Web Crypto API not available");let r=new Uint8Array(t);return window.crypto.getRandomValues(r),r}},rt=class{async getRandomBytes(t){if(typeof process>"u"||!process.versions?.node)throw new Error("Node.js environment not detected");try{let r=await import("crypto");return new Uint8Array(r.randomBytes(t))}catch(r){throw new Error(`Node.js crypto not available: ${r instanceof Error?r.message:"Unknown error"}`)}}},V=null;function dt(){if(V)return V;if(typeof window<"u"&&window.crypto)return V=new tt,V;if(typeof process<"u"&&process.versions?.node)return V=new rt,V;throw new Error("No compatible crypto provider found. Please provide a crypto provider using setCryptoProvider() or ensure Web Crypto API is available.")}function Ar(n){V=n}async function ft(n,t){if(n<=0||!Number.isInteger(n))throw new Error("Size must be a positive integer");return(t||dt()).getRandomBytes(n)}function qt(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");let t=new Array(n.length*2);for(let r=0;r<n.length;r++){let e=n[r];t[r*2]=(e>>>4).toString(16),t[r*2+1]=(e&15).toString(16)}return t.join("")}function xr(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");if(typeof Buffer<"u")return Buffer.from(n).toString("base64");if(typeof btoa<"u"){let t=String.fromCharCode.apply(null,Array.from(n));return btoa(t)}else throw new Error("Base64 encoding not available in this environment")}async function gt(n,t){if(n<=0||n%2!==0)throw new Error("Length must be a positive even number");let r=await ft(n/2,t);return qt(r)}async function vr(){let n={randomBytes:!1,environment:"unknown"};try{typeof window<"u"&&window.crypto?n.environment="browser":typeof process<"u"&&process.versions?.node&&(n.environment="nodejs"),await ft(16),n.randomBytes=!0}catch{}return n}function Cr(){return dt()}var Ir=n=>Object.values(n.vars||{}).filter(t=>t.startsWith(`${o.Vars.Env}:`)).map(t=>{let r=t.replace(`${o.Vars.Env}:`,"").trim(),[e,i]=r.split(o.ArgCompositeSeparator);return{key:e,description:i||null}});var m=(n,t)=>{let r=t.find(e=>e.chainInfo.name.toLowerCase()===n.toLowerCase());if(!r)throw new Error(`Adapter not found for chain: ${n}`);return r},k=n=>{if(n==="warp")return`warp:${H.Warp}`;if(n==="brand")return`brand:${H.Brand}`;if(n==="abi")return`abi:${H.Abi}`;throw new Error(`getLatestProtocolIdentifier: Invalid protocol name: ${n}`)},b=(n,t)=>n?.actions[t-1],O=n=>{if(n.actions.length===0)throw new Error(`Warp has no primary action: ${n.meta?.identifier}`);let t=n.actions.find(s=>s.primary===!0);if(t)return{action:t,index:n.actions.indexOf(t)};let r=["transfer","contract","query","collect"],e=n.actions.find(s=>r.includes(s.type));return e?{action:e,index:n.actions.indexOf(e)}:{action:n.actions[0],index:0}},et=(n,t)=>{if(n.auto===!1)return!1;if(n.type==="link"){if(n.auto===!0)return!0;let{action:r}=O(t);return n===r}return!0},z=(n,t)=>{let r=n.toString(),[e,i=""]=r.split("."),s=Math.abs(t);if(t>0)return BigInt(e+i.padEnd(s,"0"));if(t<0){let a=e+i;if(s>=a.length)return 0n;let c=a.slice(0,-s)||"0";return BigInt(c)}else return r.includes(".")?BigInt(r.split(".")[0]):BigInt(r)},ht=(n,t=100)=>{if(!n)return"";let r=n.replace(/<\/?(h[1-6])[^>]*>/gi," - ").replace(/<\/?(p|div|ul|ol|li|br|hr)[^>]*>/gi," ").replace(/<[^>]+>/g,"").replace(/\s+/g," ").trim();return r=r.startsWith("- ")?r.slice(2):r,r=r.length>t?r.substring(0,r.lastIndexOf(" ",t))+"...":r,r},N=(n,t)=>n.replace(/\{\{([^}]+)\}\}/g,(r,e)=>t[e]||"");var Er={de:"German",en:"English",es:"Spanish",fr:"French",it:"Italian",pt:"Portuguese",ru:"Russian",zh:"Chinese",ja:"Japanese",ko:"Korean",ar:"Arabic",hi:"Hindi",nl:"Dutch",sv:"Swedish",da:"Danish",no:"Norwegian",fi:"Finnish",pl:"Polish",tr:"Turkish",el:"Greek",he:"Hebrew",th:"Thai",vi:"Vietnamese",id:"Indonesian",ms:"Malay",tl:"Tagalog"},M=(n,t)=>{let r=t?.preferences?.locale||"en";if(typeof n=="string")return n;if(typeof n=="object"&&n!==null){if(r in n)return n[r];if("en"in n)return n.en;let e=Object.keys(n);if(e.length>0)return n[e[0]]}return""},Rr=n=>typeof n=="object"&&n!==null&&Object.keys(n).length>0,Br=n=>n;var G=n=>n.startsWith(o.IdentifierAliasMarker)?n.replace(o.IdentifierAliasMarker,""):n,Or=(n,t)=>!n||!t?!1:G(n)===G(t),nt=(n,t,r)=>{let e=G(r);return t===o.IdentifierType.Alias?o.IdentifierAliasMarker+n+o.IdentifierParamSeparator+e:n+o.IdentifierParamSeparator+t+o.IdentifierParamSeparator+e},T=n=>{let t=decodeURIComponent(n).trim(),r=G(t),e=r.split("?")[0],i=mt(e);if(e.length===64&&/^[a-fA-F0-9]+$/.test(e))return{chain:o.IdentifierChainDefault,type:o.IdentifierType.Hash,identifier:r,identifierBase:e};if(i.length===2&&/^[a-zA-Z0-9]{62}$/.test(i[0])&&/^[a-zA-Z0-9]{2}$/.test(i[1]))return null;if(i.length===3){let[s,a,c]=i;if(a===o.IdentifierType.Alias||a===o.IdentifierType.Hash){let p=r.includes("?")?c+r.substring(r.indexOf("?")):c;return{chain:s,type:a,identifier:p,identifierBase:c}}}if(i.length===2){let[s,a]=i;if(s===o.IdentifierType.Alias||s===o.IdentifierType.Hash){let c=r.includes("?")?a+r.substring(r.indexOf("?")):a;return{chain:o.IdentifierChainDefault,type:s,identifier:c,identifierBase:a}}}if(i.length===2){let[s,a]=i;if(s!==o.IdentifierType.Alias&&s!==o.IdentifierType.Hash){let c=r.includes("?")?a+r.substring(r.indexOf("?")):a,p=kt(a,s)?o.IdentifierType.Hash:o.IdentifierType.Alias;return{chain:s,type:p,identifier:c,identifierBase:a}}}return{chain:o.IdentifierChainDefault,type:o.IdentifierType.Alias,identifier:r,identifierBase:e}},j=n=>{let t=new URL(n),e=t.searchParams.get(o.IdentifierParamName);if(e||(e=t.pathname.split("/")[1]),!e)return null;let i=decodeURIComponent(e);return T(i)},kt=(n,t)=>/^[a-fA-F0-9]+$/.test(n)&&n.length>32,zt=n=>{let t=o.IdentifierParamSeparator,r=n.indexOf(t);return r!==-1?{separator:t,index:r}:null},mt=n=>{let t=zt(n);if(!t)return[n];let{separator:r,index:e}=t,i=n.substring(0,e),s=n.substring(e+r.length),a=mt(s);return[i,...a]},Wt=n=>{try{let t=new URL(n),r=new URLSearchParams(t.search);return r.delete(o.IdentifierParamName),r.toString()||null}catch{return null}},yt=n=>{let t=n.indexOf("?");if(t===-1||t===n.length-1)return null;let r=n.substring(t+1);return r.length>0?r:null};var it=n=>{let[t,...r]=n.split(/:(.*)/,2);return[t,r[0]||""]},Hr=n=>{let t=new Set(Object.values(d));if(!n.includes(o.ArgParamsSeparator))return!1;let r=it(n)[0];return t.has(r)};var At=(n,t,r)=>{let e=Object.entries(n.messages||{}).map(([i,s])=>{let a=M(s,r);return[i,N(a,t)]});return Object.fromEntries(e)};import Mt from"qr-code-styling";var F=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(o.HttpProtocolPrefix)?!!j(t):!1}build(t,r,e){let i=this.config.clientUrl||$.DefaultClientUrl(this.config.env),s=m(t,this.adapters),a=r===o.IdentifierType.Alias?e:r+o.IdentifierParamSeparator+e,c=s.chainInfo.name+o.IdentifierParamSeparator+a,p=encodeURIComponent(c);return $.SuperClientUrls.includes(i)?`${i}/${p}`:`${i}?${o.IdentifierParamName}=${p}`}buildFromPrefixedIdentifier(t){let r=T(t);if(!r)return null;let e=m(r.chain,this.adapters);return e?this.build(e.chainInfo.name,r.type,r.identifierBase):null}generateQrCode(t,r,e,i=512,s="white",a="black",c="#23F7DD"){let p=m(t,this.adapters),l=this.build(p.chainInfo.name,r,e);return new Mt({type:"svg",width:i,height:i,data:String(l),margin:16,qrOptions:{typeNumber:0,mode:"Byte",errorCorrectionLevel:"Q"},backgroundOptions:{color:s},dotsOptions:{type:"extra-rounded",color:a},cornersSquareOptions:{type:"extra-rounded",color:a},cornersDotOptions:{type:"square",color:a},imageOptions:{hideBackgroundDots:!0,imageSize:.4,margin:8},image:`data:image/svg+xml;utf8,<svg width="16" height="16" viewBox="0 0 100 100" fill="${encodeURIComponent(c)}" xmlns="http://www.w3.org/2000/svg"><path d="M54.8383 50.0242L95 28.8232L88.2456 16L51.4717 30.6974C50.5241 31.0764 49.4759 31.0764 48.5283 30.6974L11.7544 16L5 28.8232L45.1616 50.0242L5 71.2255L11.7544 84.0488L48.5283 69.351C49.4759 68.9724 50.5241 68.9724 51.4717 69.351L88.2456 84.0488L95 71.2255L54.8383 50.0242Z"/></svg>`})}};var Gt="https://",xt=(n,t,r,e,i)=>{let s=r.actions?.[e-1]?.next||r.next||null;if(!s)return null;if(s.startsWith(Gt))return[{identifier:null,url:s}];let[a,c]=s.split("?");if(!c){let h=N(a,{...r.vars,...i});return[{identifier:h,url:at(t,h,n)}]}let p=c.match(/{{([^}]+)\[\](\.[^}]+)?}}/g)||[];if(p.length===0){let h=N(c,{...r.vars,...i}),y=h?`${a}?${h}`:a;return[{identifier:y,url:at(t,y,n)}]}let l=p[0];if(!l)return[];let u=l.match(/{{([^[]+)\[\]/),f=u?u[1]:null;if(!f||i[f]===void 0)return[];let g=Array.isArray(i[f])?i[f]:[i[f]];if(g.length===0)return[];let W=p.filter(h=>h.includes(`{{${f}[]`)).map(h=>{let y=h.match(/\[\](\.[^}]+)?}}/),x=y&&y[1]||"";return{placeholder:h,field:x?x.slice(1):"",regex:new RegExp(h.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),"g")}});return g.map(h=>{let y=c;for(let{regex:P,field:B}of W){let I=B?Jt(h,B):h;if(I==null)return null;y=y.replace(P,I)}if(y.includes("{{")||y.includes("}}"))return null;let x=y?`${a}?${y}`:a;return{identifier:x,url:at(t,x,n)}}).filter(h=>h!==null)},at=(n,t,r)=>{let[e,i]=t.split("?"),s=T(e)||{chain:o.IdentifierChainDefault,type:"alias",identifier:e,identifierBase:e},a=m(s.chain,n);if(!a)throw new Error(`Adapter not found for chain ${s.chain}`);let c=new F(r,n).build(a.chainInfo.name,s.type,s.identifierBase);if(!i)return c;let p=new URL(c);return new URLSearchParams(i).forEach((l,u)=>p.searchParams.set(u,l)),p.toString().replace(/\/\?/,"?")},Jt=(n,t)=>t.split(".").reduce((r,e)=>r?.[e],n);function Qt(n,t,r){return n.startsWith(o.Position.Payload)?n.slice(o.Position.Payload.length).split(".").reduceRight((e,i,s,a)=>({[i]:s===a.length-1?{[t]:r}:e}),{}):{[t]:r}}function vt(n,t){if(!n)return{...t};if(!t)return{...n};let r={...n};return Object.keys(t).forEach(e=>{r[e]&&typeof r[e]=="object"&&typeof t[e]=="object"?r[e]=vt(r[e],t[e]):r[e]=t[e]}),r}function Kt(n,t){if(!n.value)return null;let r=t.stringToNative(n.value)[1];if(n.input.type==="biguint")return r.toString();if(n.input.type==="asset"){let{identifier:e,amount:i}=r;return{identifier:e,amount:i.toString()}}else return r}function J(n,t){let r={};return n.forEach(e=>{let i=e.input.as||e.input.name,s=Kt(e,t);if(e.input.position&&typeof e.input.position=="string"&&e.input.position.startsWith(o.Position.Payload)){let a=Qt(e.input.position,i,s);r=vt(r,a)}else r[i]=s}),r}var re=(n,t,r,e)=>{let i=n.preferences?.providers?.[t];return i?.[r]?typeof i[r]=="string"?{url:i[r]}:i[r]:{url:e}};var U=class U{static debug(...t){U.isTestEnv||console.debug(...t)}static info(...t){U.isTestEnv||console.info(...t)}static warn(...t){U.isTestEnv||console.warn(...t)}static error(...t){U.isTestEnv||console.error(...t)}};U.isTestEnv=typeof process<"u"&&process.env.JEST_WORKER_ID!==void 0;var w=U;var st=async(n,t,r,e,i,s)=>{let a=[],c=[],p={};for(let[u,f]of Object.entries(n.output||{})){if(f.startsWith(o.Transform.Prefix))continue;let g=Yt(f);if(g!==null&&g!==r){p[u]=null;continue}let[W,...A]=f.split("."),h=(y,x)=>x.reduce((P,B)=>P&&P[B]!==void 0?P[B]:null,y);if(W==="out"||W.startsWith("out[")){let y=A.length===0?t?.data||t:h(t,A);a.push(String(y)),c.push(y),p[u]=y}else p[u]=f}let l=J(e,i);return{values:{string:a,native:c,mapped:l},output:await _t(n,p,r,e,i,s)}},_t=async(n,t,r,e,i,s)=>{if(!n.output)return t;let a={...t};return a=Xt(a,n,r,e,i),a=await Zt(n,a,s.transform?.runner||null),a},Xt=(n,t,r,e,i)=>{let s={...n},a=b(t,r)?.inputs||[];for(let[c,p]of Object.entries(s))if(typeof p=="string"&&p.startsWith("in.")){let l=p.split(".")[1],u=a.findIndex(g=>g.as===l||g.name===l),f=u!==-1?e[u]?.value:null;s[c]=f?i.stringToNative(f)[1]:null}return s},Zt=async(n,t,r)=>{if(!n.output)return t;let e={...t},i=Object.entries(n.output).filter(([,s])=>s.startsWith(o.Transform.Prefix)).map(([s,a])=>({key:s,code:a.substring(o.Transform.Prefix.length)}));if(i.length>0&&(!r||typeof r.run!="function"))throw new Error("Transform output is defined but no transform runner is configured. Provide a runner via config.transform.runner.");for(let{key:s,code:a}of i)try{e[s]=await r.run(a,e)}catch(c){w.error(`Transform error for output '${s}':`,c),e[s]=null}return e},Yt=n=>{if(n==="out")return 1;let t=n.match(/^out\[(\d+)\]/);return t?parseInt(t[1],10):(n.startsWith("out.")||n.startsWith("event."),null)};async function tr(n,t,r,e=5){let i=await gt(64,r),s=new Date(Date.now()+e*60*1e3).toISOString();return{message:JSON.stringify({wallet:n,nonce:i,expiresAt:s,purpose:t}),nonce:i,expiresAt:s}}async function ot(n,t,r,e){let i=e||`prove-wallet-ownership for app "${t}"`;return tr(n,i,r,5)}function pt(n,t,r,e){return{"X-Signer-Wallet":n,"X-Signer-Signature":t,"X-Signer-Nonce":r,"X-Signer-ExpiresAt":e}}async function ue(n,t,r,e){let{message:i,nonce:s,expiresAt:a}=await ot(n,r,e),c=await t(i);return pt(n,c,s,a)}function de(n){let t=new Date(n).getTime();return Date.now()<t}function fe(n){try{let t=JSON.parse(n);if(!t.wallet||!t.nonce||!t.expiresAt||!t.purpose)throw new Error("Invalid signed message: missing required fields");return t}catch(t){throw new Error(`Failed to parse signed message: ${t instanceof Error?t.message:"Unknown error"}`)}}var rr=n=>n?typeof n=="string"?n:n.address:null,S=(n,t)=>rr(n.user?.wallets?.[t]||null),er=n=>n?typeof n=="string"?n:n.privateKey:null,nr=n=>n?typeof n=="string"?n:n.mnemonic:null,he=(n,t)=>er(n.user?.wallets?.[t]||null)?.trim()||null,me=(n,t)=>nr(n.user?.wallets?.[t]||null)?.trim()||null;var v=class{constructor(t){this.typeRegistry=t?.typeRegistry}nativeToString(t,r){if(t===d.Tuple&&Array.isArray(r)){if(r.length===0)return t+o.ArgParamsSeparator;if(r.every(e=>typeof e=="string"&&e.includes(o.ArgParamsSeparator))){let e=r.map(a=>this.getTypeAndValue(a)),i=e.map(([a])=>a),s=e.map(([,a])=>a);return`${t}(${i.join(o.ArgCompositeSeparator)})${o.ArgParamsSeparator}${s.join(o.ArgListSeparator)}`}return t+o.ArgParamsSeparator+r.join(o.ArgListSeparator)}if(t===d.Struct&&typeof r=="object"&&r!==null&&!Array.isArray(r)){let e=r;if(!e._name)throw new Error("Struct objects must have a _name property to specify the struct name");let i=e._name,s=Object.keys(e).filter(c=>c!=="_name");if(s.length===0)return`${t}(${i})${o.ArgParamsSeparator}`;let a=s.map(c=>{let[p,l]=this.getTypeAndValue(e[c]);return`(${c}${o.ArgParamsSeparator}${p})${l}`});return`${t}(${i})${o.ArgParamsSeparator}${a.join(o.ArgListSeparator)}`}if(t===d.Vector&&Array.isArray(r)){if(r.length===0)return`${t}${o.ArgParamsSeparator}`;if(r.every(e=>typeof e=="string"&&e.includes(o.ArgParamsSeparator))){let e=r[0],i=e.indexOf(o.ArgParamsSeparator),s=e.substring(0,i),a=r.map(p=>{let l=p.indexOf(o.ArgParamsSeparator),u=p.substring(l+1);return s.startsWith(d.Tuple)?u.replace(o.ArgListSeparator,o.ArgCompositeSeparator):u}),c=s.startsWith(d.Struct)?o.ArgStructSeparator:o.ArgListSeparator;return t+o.ArgParamsSeparator+s+o.ArgParamsSeparator+a.join(c)}return t+o.ArgParamsSeparator+r.join(o.ArgListSeparator)}if(t===d.Asset&&typeof r=="object"&&r&&"identifier"in r&&"amount"in r)return"decimals"in r?d.Asset+o.ArgParamsSeparator+r.identifier+o.ArgCompositeSeparator+String(r.amount)+o.ArgCompositeSeparator+String(r.decimals):d.Asset+o.ArgParamsSeparator+r.identifier+o.ArgCompositeSeparator+String(r.amount);if(this.typeRegistry){let e=this.typeRegistry.getHandler(t);if(e)return e.nativeToString(r);let i=this.typeRegistry.resolveType(t);if(i!==t)return this.nativeToString(i,r)}return t+o.ArgParamsSeparator+(r?.toString()??"")}stringToNative(t){let r=t.split(o.ArgParamsSeparator),e=r[0],i=r.slice(1).join(o.ArgParamsSeparator);if(e==="null")return[e,null];if(e===d.Option){let[s,a]=i.split(o.ArgParamsSeparator);return[d.Option+o.ArgParamsSeparator+s,a||null]}if(e===d.Vector){let s=i.indexOf(o.ArgParamsSeparator),a=i.substring(0,s),c=i.substring(s+1),p=a.startsWith(d.Struct)?o.ArgStructSeparator:o.ArgListSeparator,u=(c?c.split(p):[]).map(f=>this.stringToNative(a+o.ArgParamsSeparator+f)[1]);return[d.Vector+o.ArgParamsSeparator+a,u]}else if(e.startsWith(d.Tuple)){let s=e.match(/\(([^)]+)\)/)?.[1]?.split(o.ArgCompositeSeparator),c=i.split(o.ArgCompositeSeparator).map((p,l)=>this.stringToNative(`${s[l]}${o.IdentifierParamSeparator}${p}`)[1]);return[e,c]}else if(e.startsWith(d.Struct)){let s=e.match(/\(([^)]+)\)/);if(!s)throw new Error("Struct type must include a name in the format struct(Name)");let c={_name:s[1]};return i&&i.split(o.ArgListSeparator).forEach(p=>{let l=p.match(new RegExp(`^\\(([^${o.ArgParamsSeparator}]+)${o.ArgParamsSeparator}([^)]+)\\)(.+)$`));if(l){let[,u,f,g]=l;c[u]=this.stringToNative(`${f}${o.IdentifierParamSeparator}${g}`)[1]}}),[e,c]}else{if(e===d.String)return[e,i];if(e===d.Uint8||e===d.Uint16||e===d.Uint32)return[e,Number(i)];if(e===d.Uint64||e===d.Uint128||e===d.Uint256||e===d.Biguint)return[e,BigInt(i||0)];if(e===d.Bool)return[e,i==="true"];if(e===d.Address)return[e,i];if(e===d.Hex)return[e,i];if(e===d.Asset){let[s,a]=i.split(o.ArgCompositeSeparator),c={identifier:s,amount:BigInt(a)};return[e,c]}}if(this.typeRegistry){let s=this.typeRegistry.getHandler(e);if(s){let c=s.stringToNative(i);return[e,c]}let a=this.typeRegistry.resolveType(e);if(a!==e){let[c,p]=this.stringToNative(`${a}:${i}`);return[e,p]}}throw new Error(`WarpArgSerializer (stringToNative): Unsupported input type: ${e}`)}getTypeAndValue(t){if(typeof t=="string"&&t.includes(o.ArgParamsSeparator)){let[r,e]=t.split(o.ArgParamsSeparator);return[r,e]}return typeof t=="number"?[d.Uint32,t]:typeof t=="bigint"?[d.Uint64,t]:typeof t=="boolean"?[d.Bool,t]:[typeof t,t]}};var Ce=n=>new v().nativeToString(d.String,n),we=n=>new v().nativeToString(d.Uint8,n),Se=n=>new v().nativeToString(d.Uint16,n),Ie=n=>new v().nativeToString(d.Uint32,n),be=n=>new v().nativeToString(d.Uint64,n),Te=n=>new v().nativeToString(d.Biguint,n),Pe=n=>new v().nativeToString(d.Bool,n),Ee=n=>new v().nativeToString(d.Address,n),Ct=n=>new v().nativeToString(d.Asset,n),Re=n=>new v().nativeToString(d.Hex,n),Be=(n,t)=>{if(t===null)return d.Option+o.ArgParamsSeparator;let r=n(t),e=r.indexOf(o.ArgParamsSeparator),i=r.substring(0,e),s=r.substring(e+1);return d.Option+o.ArgParamsSeparator+i+o.ArgParamsSeparator+s},$e=(...n)=>new v().nativeToString(d.Tuple,n),Ve=n=>new v().nativeToString(d.Struct,n),Oe=n=>new v().nativeToString(d.Vector,n);import ir from"ajv";var wt=class{constructor(t){this.pendingBrand={protocol:k("brand"),name:"",description:"",logo:""};this.config=t}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.ensureValidSchema(e),e}setName(t){return this.pendingBrand.name=t,this}setDescription(t){return this.pendingBrand.description=t,this}setLogo(t){return this.pendingBrand.logo=t,this}setUrls(t){return this.pendingBrand.urls=t,this}setColors(t){return this.pendingBrand.colors=t,this}setCta(t){return this.pendingBrand.cta=t,this}async build(){return this.ensureWarpText(this.pendingBrand.name,"name is required"),this.ensureWarpText(this.pendingBrand.description,"description is required"),typeof this.pendingBrand.logo=="string"&&this.ensure(this.pendingBrand.logo,"logo is required"),await this.ensureValidSchema(this.pendingBrand),this.pendingBrand}ensure(t,r){if(!t)throw new Error(`Warp: ${r}`)}ensureWarpText(t,r){if(!t)throw new Error(`Warp: ${r}`);if(typeof t=="object"&&Object.keys(t).length===0)throw new Error(`Warp: ${r}`)}async ensureValidSchema(t){let r=this.config.schema?.brand||$.LatestBrandSchemaUrl,i=await(await fetch(r)).json(),s=new ir,a=s.compile(i);if(!a(t))throw new Error(`BrandBuilder: schema validation failed: ${s.errorsText(a.errors)}`)}};import ar from"ajv";var Q=class{constructor(t){this.config=t;this.config=t}async validate(t){let r=[];return r.push(...this.validatePrimaryAction(t)),r.push(...this.validateMaxOneValuePosition(t)),r.push(...this.validateVariableNamesAndResultNamesUppercase(t)),r.push(...this.validateAbiIsSetIfApplicable(t)),r.push(...await this.validateSchema(t)),{valid:r.length===0,errors:r}}validatePrimaryAction(t){try{let{action:r}=O(t);return r?[]:["Primary action is required"]}catch(r){return[r instanceof Error?r.message:"Primary action is required"]}}validateMaxOneValuePosition(t){return t.actions.filter(e=>e.inputs?e.inputs.some(i=>i.position==="value"):!1).length>1?["Only one value position action is allowed"]:[]}validateVariableNamesAndResultNamesUppercase(t){let r=[],e=(i,s)=>{i&&Object.keys(i).forEach(a=>{a!==a.toUpperCase()&&r.push(`${s} name '${a}' must be uppercase`)})};return e(t.vars,"Variable"),e(t.output,"Output"),r}validateAbiIsSetIfApplicable(t){let r=t.actions.some(a=>a.type==="contract"),e=t.actions.some(a=>a.type==="query");if(!r&&!e)return[];let i=t.actions.some(a=>a.abi),s=Object.values(t.output||{}).some(a=>a.startsWith("out.")||a.startsWith("event."));return t.output&&!i&&s?["ABI is required when output is present for contract or query actions"]:[]}async validateSchema(t){try{let r=this.config.schema?.warp||$.LatestWarpSchemaUrl,i=await(await fetch(r)).json(),s=new ar({strict:!1}),a=s.compile(i);return a(t)?[]:[`Schema validation failed: ${s.errorsText(a.errors)}`]}catch(r){return[`Schema validation failed: ${r instanceof Error?r.message:String(r)}`]}}};var St=class{constructor(t){this.config=t;this.pendingWarp={protocol:k("warp"),chain:"",name:"",title:"",description:null,preview:"",actions:[]}}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.validate(e),e}async createFromUrl(t){return await(await fetch(t)).json()}setChain(t){return this.pendingWarp.chain=t,this}setName(t){return this.pendingWarp.name=t,this}setTitle(t){return this.pendingWarp.title=t,this}setDescription(t){return this.pendingWarp.description=t,this}setPreview(t){return this.pendingWarp.preview=t,this}setActions(t){return this.pendingWarp.actions=t,this}addAction(t){return this.pendingWarp.actions.push(t),this}async build(){return this.ensure(this.pendingWarp.protocol,"protocol is required"),this.ensure(this.pendingWarp.name,"name is required"),this.ensureWarpText(this.pendingWarp.title,"title is required"),this.ensure(this.pendingWarp.actions.length>0,"actions are required"),await this.validate(this.pendingWarp),this.pendingWarp}getDescriptionPreview(t,r=100){return ht(t,r)}ensure(t,r){if(!t)throw new Error(r)}ensureWarpText(t,r){if(!t)throw new Error(r);if(typeof t=="object"&&!t.en)throw new Error(r)}async validate(t){let e=await new Q(this.config).validate(t);if(!e.valid)throw new Error(e.errors.join(`
|
|
2
|
-
`))}};var D=class{constructor(t="warp-cache"){this.prefix=t}getKey(t){return`${this.prefix}:${t}`}get(t){try{let r=localStorage.getItem(this.getKey(t));if(!r)return null;let e=JSON.parse(r,or);return Date.now()>e.expiresAt?(localStorage.removeItem(this.getKey(t)),null):e.value}catch{return null}}set(t,r,e){let i={value:r,expiresAt:Date.now()+e*1e3};localStorage.setItem(this.getKey(t),JSON.stringify(i,sr))}forget(t){localStorage.removeItem(this.getKey(t))}clear(){for(let t=0;t<localStorage.length;t++){let r=localStorage.key(t);r?.startsWith(this.prefix)&&localStorage.removeItem(r)}}},It=new v,sr=(n,t)=>typeof t=="bigint"?It.nativeToString("biguint",t):t,or=(n,t)=>typeof t=="string"&&t.startsWith(d.Biguint+":")?It.stringToNative(t)[1]:t;var E=class E{get(t){let r=E.cache.get(t);return r?Date.now()>r.expiresAt?(E.cache.delete(t),null):r.value:null}set(t,r,e){let i=Date.now()+e*1e3;E.cache.set(t,{value:r,expiresAt:i})}forget(t){E.cache.delete(t)}clear(){E.cache.clear()}};E.cache=new Map;var q=E;var bt={OneMinute:60,OneHour:3600,OneDay:3600*24,OneWeek:3600*24*7,OneMonth:3600*24*30,OneYear:3600*24*365},Tt={Warp:(n,t)=>`warp:${n}:${t}`,WarpAbi:(n,t)=>`warp-abi:${n}:${t}`,WarpExecutable:(n,t,r)=>`warp-exec:${n}:${t}:${r}`,RegistryInfo:(n,t)=>`registry-info:${n}:${t}`,Brand:(n,t)=>`brand:${n}:${t}`,Asset:(n,t,r)=>`asset:${n}:${t}:${r}`},K=class{constructor(t){this.strategy=this.selectStrategy(t)}selectStrategy(t){return t==="localStorage"?new D:t==="memory"?new q:typeof window<"u"&&window.localStorage?new D:new q}set(t,r,e){this.strategy.set(t,r,e)}get(t){return this.strategy.get(t)}forget(t){this.strategy.forget(t)}clear(){this.strategy.clear()}};var R=class{constructor(t,r){this.config=t;this.adapter=r}async apply(t,r,e={}){let i=this.applyVars(t,r,e);return await this.applyGlobals(t,i)}async applyGlobals(t,r){let e={...r};return e.actions=await Promise.all(e.actions.map(async i=>await this.applyActionGlobals(i))),e=await this.applyRootGlobals(e,t),e}applyVars(t,r,e={}){if(!r?.vars)return r;let i=S(t,this.adapter.chainInfo.name),s=JSON.stringify(r),a=(c,p)=>{s=s.replace(new RegExp(`{{${c.toUpperCase()}}}`,"g"),p.toString())};return Object.entries(r.vars).forEach(([c,p])=>{if(typeof p!="string")a(c,p);else if(p.startsWith(o.Vars.Query+o.ArgParamsSeparator)){let l=p.slice(o.Vars.Query.length+1),[u,f]=l.split(o.ArgCompositeSeparator),g=t.currentUrl?new URLSearchParams(t.currentUrl.split("?")[1]).get(u):null,A=e.queries?.[u]||null||g;A&&a(c,A)}else if(p.startsWith(o.Vars.Env+o.ArgParamsSeparator)){let l=p.slice(o.Vars.Env.length+1),[u,f]=l.split(o.ArgCompositeSeparator),W={...t.vars,...e.envs}?.[u];W&&a(c,W)}else p===o.Source.UserWallet&&i?a(c,i):a(c,p)}),JSON.parse(s)}async applyRootGlobals(t,r){let e=JSON.stringify(t),i={config:r,adapter:this.adapter};return Object.values(o.Globals).forEach(s=>{let a=s.Accessor(i);a!=null&&(e=e.replace(new RegExp(`{{${s.Placeholder}}}`,"g"),a.toString()))}),JSON.parse(e)}async applyActionGlobals(t){let r=JSON.stringify(t),e={config:this.config,adapter:this.adapter};return Object.values(o.Globals).forEach(i=>{let s=i.Accessor(e);s!=null&&(r=r.replace(new RegExp(`{{${i.Placeholder}}}`,"g"),s.toString()))}),JSON.parse(r)}applyInputs(t,r,e,i){if(!t||typeof t!="string"||!t.includes("{{"))return t;let s=this.applyGlobalsToText(t),a=this.buildInputBag(r,e,i);return N(s,a)}applyGlobalsToText(t){if(!Object.values(o.Globals).map(a=>a.Placeholder).some(a=>t.includes(`{{${a}}}`)))return t;let i={config:this.config,adapter:this.adapter},s=t;return Object.values(o.Globals).forEach(a=>{let c=a.Accessor(i);c!=null&&(s=s.replace(new RegExp(`{{${a.Placeholder}}}`,"g"),c.toString()))}),s}buildInputBag(t,r,e){let i={};return t.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,c]=r.stringToNative(s.value);i[a]=String(c)}),e&&e.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,c]=r.stringToNative(s.value);if(i[`primary.${a}`]=String(c),s.input.type==="asset"&&typeof s.input.position=="object"){let p=c;p&&typeof p=="object"&&"identifier"in p&&"amount"in p&&(i[`primary.${a}.token`]=String(p.identifier),i[`primary.${a}.amount`]=String(p.amount))}}),i}};var L=class{constructor(t,r){this.config=t;this.adapters=r;if(!t.currentUrl)throw new Error("WarpFactory: currentUrl config not set");this.url=new URL(t.currentUrl),this.serializer=new v,this.cache=new K(t.cache?.type)}getSerializer(){return this.serializer}async createExecutable(t,r,e,i={}){let s=b(t,r);if(!s)throw new Error("WarpFactory: Action not found");let a=await this.getChainInfoForWarp(t,e),c=m(a.name,this.adapters),p=new R(this.config,c),l=await p.apply(this.config,t,i),u=b(l,r),{action:f,index:g}=O(l),W=this.getStringTypedInputs(f,e),A=await this.getResolvedInputs(a.name,f,W,p),h=this.getModifiedInputs(A),y=[],x=[];g===r-1&&(y=A,x=h);let P=x.find(C=>C.input.position==="receiver"||C.input.position==="destination")?.value,B=this.getDestinationFromAction(u),I=P?this.serializer.stringToNative(P)[1]:B;if(I&&(I=p.applyInputs(I,x,this.serializer,h)),!I&&s.type!=="collect")throw new Error("WarpActionExecutor: Destination/Receiver not provided");let Y=this.getPreparedArgs(u,x);Y=Y.map(C=>p.applyInputs(C,x,this.serializer,h));let Rt=x.find(C=>C.input.position==="value")?.value||null,Bt="value"in u?u.value:null,$t=Rt?.split(o.ArgParamsSeparator)[1]||Bt||"0",Vt=p.applyInputs($t,x,this.serializer,h),Ot=BigInt(Vt),Nt=x.filter(C=>C.input.position==="transfer"&&C.value).map(C=>C.value),Ut=[...("transfers"in u?u.transfers:[])||[],...Nt||[]].map(C=>{let jt=p.applyInputs(C,x,this.serializer,h);return this.serializer.stringToNative(jt)[1]}),Ht=x.find(C=>C.input.position==="data")?.value,Ft="data"in u?u.data||"":null,ct=Ht||Ft||null,Lt=ct?p.applyInputs(ct,x,this.serializer,h):null,lt={warp:l,chain:a,action:r,destination:I,args:Y,value:Ot,transfers:Ut,data:Lt,resolvedInputs:x};return this.cache.set(Tt.WarpExecutable(this.config.env,l.meta?.hash||"",r),lt.resolvedInputs,bt.OneWeek),lt}async getChainInfoForWarp(t,r){if(t.chain)return m(t.chain,this.adapters).chainInfo;if(r){let i=await this.tryGetChainFromInputs(t,r);if(i)return i}return this.adapters[0].chainInfo}getStringTypedInputs(t,r){let e=t.inputs||[];return r.map((i,s)=>{let a=e[s];return!a||i.includes(o.ArgParamsSeparator)?i:this.serializer.nativeToString(a.type,i)})}async getResolvedInputs(t,r,e,i){let s=r.inputs||[],a=await Promise.all(e.map(p=>this.preprocessInput(t,p))),c=(p,l)=>{if(p.source==="query"){let u=this.url.searchParams.get(p.name);return u?this.serializer.nativeToString(p.type,u):null}else if(p.source===o.Source.UserWallet){let u=S(this.config,t);return u?this.serializer.nativeToString("address",u):null}else if(p.source==="hidden"){if(p.default===void 0)return null;let u=i?i.applyInputs(String(p.default),[],this.serializer):String(p.default);return this.serializer.nativeToString(p.type,u)}else return a[l]||null};return s.map((p,l)=>{let u=c(p,l),f=p.default!==void 0?i?i.applyInputs(String(p.default),[],this.serializer):String(p.default):void 0;return{input:p,value:u||(f!==void 0?this.serializer.nativeToString(p.type,f):null)}})}getModifiedInputs(t){return t.map((r,e)=>{if(r.input.modifier?.startsWith("scale:")){let[,i]=r.input.modifier.split(":");if(isNaN(Number(i))){let s=Number(t.find(p=>p.input.name===i)?.value?.split(":")[1]);if(!s)throw new Error(`WarpActionExecutor: Exponent value not found for input ${i}`);let a=r.value?.split(":")[1];if(!a)throw new Error("WarpActionExecutor: Scalable value not found");let c=z(a,+s);return{...r,value:`${r.input.type}:${c}`}}else{let s=r.value?.split(":")[1];if(!s)throw new Error("WarpActionExecutor: Scalable value not found");let a=z(s,+i);return{...r,value:`${r.input.type}:${a}`}}}else return r})}async preprocessInput(t,r){try{let[e,i]=it(r),s=m(t,this.adapters);if(e==="asset"){let[a,c,p]=i.split(o.ArgCompositeSeparator);if(p)return r;let l=await s.dataLoader.getAsset(a);if(!l)throw new Error(`WarpFactory: Asset not found for asset ${a}`);if(typeof l.decimals!="number")throw new Error(`WarpFactory: Decimals not found for asset ${a}`);let u=z(c,l.decimals);return Ct({...l,amount:u})}else return r}catch(e){throw w.warn("WarpFactory: Preprocess input failed",e),e}}getDestinationFromAction(t){if("address"in t&&t.address)return t.address;if("destination"in t&&t.destination){if(typeof t.destination=="string")return t.destination;if(typeof t.destination=="object"&&"url"in t.destination)return t.destination.url}return null}getPreparedArgs(t,r){let e="args"in t?t.args||[]:[],i=[];return r.forEach(({input:s,value:a})=>{if(!(!a||!s.position)){if(typeof s.position=="object"){if(s.type!=="asset")throw new Error(`WarpFactory: Object position is only supported for asset type. Input "${s.name}" has type "${s.type}"`);if(!s.position.token?.startsWith("arg:")||!s.position.amount?.startsWith("arg:"))throw new Error(`WarpFactory: Object position must have token and amount as arg:N. Input "${s.name}"`);let[c,p]=this.serializer.stringToNative(a),l=p;if(!l||typeof l!="object"||!("identifier"in l)||!("amount"in l))throw new Error(`WarpFactory: Invalid asset value for input "${s.name}"`);let u=Number(s.position.token.split(":")[1])-1,f=Number(s.position.amount.split(":")[1])-1;i.push({index:u,value:this.serializer.nativeToString("address",l.identifier)}),i.push({index:f,value:this.serializer.nativeToString("uint256",l.amount)})}else if(s.position.startsWith("arg:")){let c=Number(s.position.split(":")[1])-1;i.push({index:c,value:a})}}}),i.forEach(({index:s,value:a})=>{for(;e.length<=s;)e.push(void 0);e[s]=a}),e.filter(s=>s!==void 0)}async tryGetChainFromInputs(t,r){let e=t.actions.find(p=>p.inputs?.some(l=>l.position==="chain"));if(!e)return null;let i=e.inputs?.findIndex(p=>p.position==="chain");if(i===-1||i===void 0)return null;let s=r[i];if(!s)throw new Error("Chain input not found");let a=this.serializer.stringToNative(s)[1];return m(a,this.adapters).chainInfo}};var _=class{constructor(t,r,e){this.config=t;this.adapters=r;this.handlers=e;this.handlers=e,this.factory=new L(t,r)}async execute(t,r,e={}){let i=[],s=null,a=[],c=[],{action:p,index:l}=O(t);for(let u=1;u<=t.actions.length;u++){let f=b(t,u);if(!et(f,t))continue;let{tx:g,chain:W,immediateExecution:A,executable:h}=await this.executeAction(t,u,r,e);g&&i.push(g),W&&(s=W),A&&a.push(A),h&&u===l+1&&h.resolvedInputs&&(c=h.resolvedInputs.map(y=>y.value||"").filter(y=>y!==""))}if(!s&&i.length>0)throw new Error(`WarpExecutor: Chain not found for ${i.length} transactions`);if(i.length===0&&a.length>0){let u=a[a.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(u))}return{txs:i,chain:s,immediateExecutions:a,resolvedInputs:c}}async executeAction(t,r,e,i={}){let s=b(t,r);if(s.type==="link")return await this.callHandler(async()=>{let l=s.url;this.config.interceptors?.openLink?await this.config.interceptors.openLink(l):ut.open(l,"_blank")}),{tx:null,chain:null,immediateExecution:null,executable:null};let a=await this.factory.createExecutable(t,r,e,i);if(s.type==="collect"){let l=await this.executeCollect(a);return l.status==="success"?(await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):l.status==="unhandled"?(await this.callHandler(()=>this.handlers?.onActionUnhandled?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):(this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:null,immediateExecution:null,executable:a})}let c=m(a.chain.name,this.adapters);if(s.type==="query"){let l=await c.executor.executeQuery(a);return l.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:a.chain,execution:l,tx:null})):this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:a.chain,immediateExecution:l,executable:a}}return{tx:await c.executor.createTransaction(a),chain:a.chain,immediateExecution:null,executable:a}}async evaluateOutput(t,r){if(r.length===0||t.actions.length===0||!this.handlers)return;let e=await this.factory.getChainInfoForWarp(t),i=m(e.name,this.adapters),s=(await Promise.all(t.actions.map(async(a,c)=>{if(!et(a,t)||a.type!=="transfer"&&a.type!=="contract")return null;let p=r[c],l=c+1;if(!p){let f={status:"error",warp:t,action:l,user:S(this.config,e.name),txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{},messages:{},destination:null};return await this.callHandler(()=>this.handlers?.onError?.({message:`Action ${l} failed: Transaction not found`})),f}let u=await i.output.getActionExecution(t,l,p);return u.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:l,chain:e,execution:u,tx:p})):await this.callHandler(()=>this.handlers?.onError?.({message:"Action failed: "+JSON.stringify(u.values)})),u}))).filter(a=>a!==null);if(s.every(a=>a.status==="success")){let a=s[s.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(a))}else await this.callHandler(()=>this.handlers?.onError?.({message:`Warp failed: ${JSON.stringify(s.map(a=>a.values))}`}))}async executeCollect(t,r){let e=S(this.config,t.chain.name),i=b(t.warp,t.action),s=this.factory.getSerializer(),a=J(t.resolvedInputs,s);if(i.destination&&typeof i.destination=="object"&&"url"in i.destination)return await this.doHttpRequest(t,i.destination,e,a,r);let{values:c,output:p}=await st(t.warp,a,t.action,t.resolvedInputs,s,this.config);return this.buildCollectResult(t,e,"unhandled",c,p)}async doHttpRequest(t,r,e,i,s){let a=new R(this.config,m(t.chain.name,this.adapters)),c=new Headers;if(c.set("Content-Type","application/json"),c.set("Accept","application/json"),this.handlers?.onSignRequest){if(!e)throw new Error(`No wallet configured for chain ${t.chain.name}`);let{message:f,nonce:g,expiresAt:W}=await ot(e,`${t.chain.name}-adapter`),A=await this.callHandler(()=>this.handlers?.onSignRequest?.({message:f,chain:t.chain}));if(A){let h=pt(e,A,g,W);Object.entries(h).forEach(([y,x])=>c.set(y,x))}}r.headers&&Object.entries(r.headers).forEach(([f,g])=>{let W=a.applyInputs(g,t.resolvedInputs,this.factory.getSerializer());c.set(f,W)});let p=r.method||"GET",l=p==="GET"?void 0:JSON.stringify({...i,...s}),u=a.applyInputs(r.url,t.resolvedInputs,this.factory.getSerializer());w.debug("WarpExecutor: Executing HTTP collect",{url:u,method:p,headers:c,body:l});try{let f=await fetch(u,{method:p,headers:c,body:l});w.debug("Collect response status",{status:f.status});let g=await f.json();w.debug("Collect response content",{content:g});let{values:W,output:A}=await st(t.warp,g,t.action,t.resolvedInputs,this.factory.getSerializer(),this.config);return this.buildCollectResult(t,S(this.config,t.chain.name),f.ok?"success":"error",W,A,g)}catch(f){return w.error("WarpActionExecutor: Error executing collect",f),{status:"error",warp:t.warp,action:t.action,user:e,txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{_DATA:f},messages:{},destination:this.getDestinationFromResolvedInputs(t)}}}getDestinationFromResolvedInputs(t){return t.resolvedInputs.find(e=>e.input.position==="receiver"||e.input.position==="destination")?.value||t.destination}buildCollectResult(t,r,e,i,s,a){let c=xt(this.config,this.adapters,t.warp,t.action,s);return{status:e,warp:t.warp,action:t.action,user:r||S(this.config,t.chain.name),txHash:null,tx:null,next:c,values:i,output:a?{...s,_DATA:a}:s,messages:At(t.warp,s,this.config),destination:this.getDestinationFromResolvedInputs(t)}}async callHandler(t){if(t)return await t()}};var X=class{constructor(t){this.config=t}async search(t,r,e){if(!this.config.index?.url)throw new Error("WarpIndex: Index URL is not set");try{let i=await fetch(this.config.index?.url,{method:"POST",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.config.index?.apiKey}`,...e},body:JSON.stringify({[this.config.index?.searchParamName||"search"]:t,...r})});if(!i.ok)throw new Error(`WarpIndex: search failed with status ${i.status}: ${await i.text()}`);return(await i.json()).hits}catch(i){throw w.error("WarpIndex: Error searching for warps: ",i),i}}};var Z=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(o.HttpProtocolPrefix)?!!j(t):!1}async detectFromHtml(t){if(!t.length)return{match:!1,output:[]};let i=[...t.matchAll(/https?:\/\/[^\s"'<>]+/gi)].map(l=>l[0]).filter(l=>this.isValid(l)).map(l=>this.detect(l)),a=(await Promise.all(i)).filter(l=>l.match),c=a.length>0,p=a.map(l=>({url:l.url,warp:l.warp}));return{match:c,output:p}}async detect(t,r){let e={match:!1,url:t,warp:null,chain:null,registryInfo:null,brand:null},i=t.startsWith(o.HttpProtocolPrefix)?j(t):T(t);if(!i)return e;try{let{type:s,identifierBase:a}=i,c=null,p=null,l=null,u=m(i.chain,this.adapters),f=t.startsWith(o.HttpProtocolPrefix)?Wt(t):yt(i.identifier);if(s==="hash"){c=await u.builder().createFromTransactionHash(a,r);let W=await u.registry.getInfoByHash(a,r);p=W.registryInfo,l=W.brand}else if(s==="alias"){let W=await u.registry.getInfoByAlias(a,r);p=W.registryInfo,l=W.brand,W.registryInfo&&(c=await u.builder().createFromTransactionHash(W.registryInfo.hash,r))}c&&c.meta&&(pr(c,u.chainInfo.name,p,i.identifier),c.meta.query=f);let g=c?await new R(this.config,u).apply(this.config,c):null;return g?{match:!0,url:t,warp:g,chain:u.chainInfo.name,registryInfo:p,brand:l}:e}catch(s){return w.error("Error detecting warp link",s),e}}},pr=(n,t,r,e)=>{n.meta&&(n.meta.identifier=r?.alias?nt(t,"alias",r.alias):nt(t,"hash",r?.hash??e))};var Pt=class{constructor(t,r){this.config=t;this.adapters=r}getConfig(){return this.config}getAdapters(){return this.adapters}addAdapter(t){return this.adapters.push(t),this}createExecutor(t){return new _(this.config,this.adapters,t)}async detectWarp(t,r){return new Z(this.config,this.adapters).detect(t,r)}async executeWarp(t,r,e,i={}){let s=typeof t=="object",a=!s&&t.startsWith("http")&&t.endsWith(".json"),c=s?t:null;if(!c&&a){let A=await fetch(t);if(!A.ok)throw new Error("WarpClient: executeWarp - invalid url");c=await A.json()}if(c||(c=(await this.detectWarp(t,i.cache)).warp),!c)throw new Error("Warp not found");let p=this.createExecutor(e),{txs:l,chain:u,immediateExecutions:f,resolvedInputs:g}=await p.execute(c,r,{queries:i.queries});return{txs:l,chain:u,immediateExecutions:f,evaluateOutput:async A=>{await p.evaluateOutput(c,A)},resolvedInputs:g}}async createInscriptionTransaction(t,r){return await m(t,this.adapters).builder().createInscriptionTransaction(r)}async createFromTransaction(t,r,e=!1){return m(t,this.adapters).builder().createFromTransaction(r,e)}async createFromTransactionHash(t,r){let e=T(t);if(!e)throw new Error("WarpClient: createFromTransactionHash - invalid hash");return m(e.chain,this.adapters).builder().createFromTransactionHash(t,r)}async signMessage(t,r){if(!S(this.config,t))throw new Error(`No wallet configured for chain ${t}`);return m(t,this.adapters).wallet.signMessage(r)}async getActions(t,r,e=!1){let i=this.getDataLoader(t);return(await Promise.all(r.map(async a=>i.getAction(a,e)))).filter(a=>a!==null)}getExplorer(t){return m(t,this.adapters).explorer}getOutput(t){return m(t,this.adapters).output}async getRegistry(t){let r=m(t,this.adapters).registry;return await r.init(),r}getDataLoader(t){return m(t,this.adapters).dataLoader}getWallet(t){return m(t,this.adapters).wallet}get factory(){return new L(this.config,this.adapters)}get index(){return new X(this.config)}get linkBuilder(){return new F(this.config,this.adapters)}createBuilder(t){return m(t,this.adapters).builder()}createAbiBuilder(t){return m(t,this.adapters).abiBuilder()}createBrandBuilder(t){return m(t,this.adapters).brandBuilder()}createSerializer(t){return m(t,this.adapters).serializer}resolveText(t){return M(t,this.config)}};var Et=class{constructor(){this.typeHandlers=new Map;this.typeAliases=new Map}registerType(t,r){this.typeHandlers.set(t,r)}registerTypeAlias(t,r){this.typeAliases.set(t,r)}hasType(t){return this.typeHandlers.has(t)||this.typeAliases.has(t)}getHandler(t){let r=this.typeAliases.get(t);return r?this.getHandler(r):this.typeHandlers.get(t)}getAlias(t){return this.typeAliases.get(t)}resolveType(t){let r=this.typeAliases.get(t);return r?this.resolveType(r):t}getRegisteredTypes(){return Array.from(new Set([...this.typeHandlers.keys(),...this.typeAliases.keys()]))}};export{tt as BrowserCryptoProvider,bt as CacheTtl,rt as NodeCryptoProvider,Er as WARP_LANGUAGES,wt as WarpBrandBuilder,St as WarpBuilder,K as WarpCache,Tt as WarpCacheKey,Dt as WarpChainName,Pt as WarpClient,$ as WarpConfig,o as WarpConstants,_ as WarpExecutor,L as WarpFactory,X as WarpIndex,d as WarpInputTypes,R as WarpInterpolator,F as WarpLinkBuilder,Z as WarpLinkDetecter,w as WarpLogger,H as WarpProtocolVersions,v as WarpSerializer,Et as WarpTypeRegistry,Q as WarpValidator,Ee as address,At as applyOutputToMessages,Ct as asset,Te as biguint,Pe as bool,J as buildMappedOutput,Qt as buildNestedPayload,xr as bytesToBase64,qt as bytesToHex,G as cleanWarpIdentifier,pt as createAuthHeaders,ot as createAuthMessage,Cr as createCryptoProvider,ue as createHttpAuthHeaders,tr as createSignableMessage,Br as createWarpI18nText,nt as createWarpIdentifier,_t as evaluateOutputCommon,st as extractCollectOutput,j as extractIdentifierInfoFromUrl,yt as extractQueryStringFromIdentifier,Wt as extractQueryStringFromUrl,Ir as extractWarpSecrets,m as findWarpAdapterForChain,dt as getCryptoProvider,hr as getEventNameFromWarp,k as getLatestProtocolIdentifier,xt as getNextInfo,re as getProviderConfig,ft as getRandomBytes,gt as getRandomHex,b as getWarpActionByIndex,Wr as getWarpBrandLogoUrl,T as getWarpInfoFromIdentifier,O as getWarpPrimaryAction,rr as getWarpWalletAddress,S as getWarpWalletAddressFromConfig,nr as getWarpWalletMnemonic,me as getWarpWalletMnemonicFromConfig,er as getWarpWalletPrivateKey,he as getWarpWalletPrivateKeyFromConfig,Hr as hasInputPrefix,Re as hex,Or as isEqualWarpIdentifier,et as isWarpActionAutoExecute,Rr as isWarpI18nText,vt as mergeNestedPayload,Be as option,Yt as parseOutputOutIndex,fe as parseSignedMessage,N as replacePlaceholders,M as resolveWarpText,ut as safeWindow,Ar as setCryptoProvider,z as shiftBigintBy,it as splitInput,Ce as string,Ve as struct,vr as testCryptoAvailability,Kt as toInputPayloadValue,ht as toPreviewText,$e as tuple,Se as uint16,Ie as uint32,be as uint64,we as uint8,de as validateSignedMessage,Oe as vector};
|
|
1
|
+
var kt=(p=>(p.Multiversx="multiversx",p.Vibechain="vibechain",p.Sui="sui",p.Ethereum="ethereum",p.Base="base",p.Arbitrum="arbitrum",p.Somnia="somnia",p.Fastset="fastset",p))(kt||{}),c={HttpProtocolPrefix:"http",IdentifierParamName:"warp",IdentifierParamSeparator:":",IdentifierChainDefault:"multiversx",IdentifierType:{Alias:"alias",Hash:"hash"},IdentifierAliasMarker:"@",Globals:{UserWallet:{Placeholder:"USER_WALLET",Accessor:n=>n.config.user?.wallets?.[n.adapter.chainInfo.name]},UserWalletPublicKey:{Placeholder:"USER_WALLET_PUBLICKEY",Accessor:n=>{if(!n.adapter.wallet)return null;try{return n.adapter.wallet.getPublicKey()||null}catch{return null}}},ChainApiUrl:{Placeholder:"CHAIN_API",Accessor:n=>n.adapter.chainInfo.defaultApiUrl},ChainAddressHrp:{Placeholder:"CHAIN_ADDRESS_HRP",Accessor:n=>n.adapter.chainInfo.addressHrp}},Vars:{Query:"query",Env:"env"},ArgParamsSeparator:":",ArgCompositeSeparator:"|",ArgListSeparator:",",ArgStructSeparator:";",Transform:{Prefix:"transform:"},Source:{UserWallet:"user:wallet"},Position:{Payload:"payload:"},Alerts:{TriggerEventPrefix:"event"}},d={Option:"option",Vector:"vector",Tuple:"tuple",Struct:"struct",String:"string",Uint8:"uint8",Uint16:"uint16",Uint32:"uint32",Uint64:"uint64",Uint128:"uint128",Uint256:"uint256",Biguint:"biguint",Bool:"bool",Address:"address",Asset:"asset",Hex:"hex"},ft=typeof window<"u"?window:{open:()=>{}};var F={Warp:"3.0.0",Brand:"0.2.0",Abi:"0.1.0"},$={LatestWarpSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/v${F.Warp}.schema.json`,LatestBrandSchemaUrl:`https://raw.githubusercontent.com/vLeapGroup/warps-specs/refs/heads/main/schemas/brand/v${F.Brand}.schema.json`,DefaultClientUrl:n=>n==="devnet"?"https://devnet.usewarp.to":n==="testnet"?"https://testnet.usewarp.to":"https://usewarp.to",SuperClientUrls:["https://usewarp.to","https://testnet.usewarp.to","https://devnet.usewarp.to"],AvailableActionInputSources:["field","query",c.Source.UserWallet,"hidden"],AvailableActionInputTypes:["string","uint8","uint16","uint32","uint64","biguint","boolean","address"],AvailableActionInputPositions:["receiver","value","transfer","arg:1","arg:2","arg:3","arg:4","arg:5","arg:6","arg:7","arg:8","arg:9","arg:10","data","ignore"]};var mr=(n,t)=>{let r=n.alerts?.[t];if(!r)return null;let e=c.Alerts.TriggerEventPrefix+c.ArgParamsSeparator;if(!r.trigger.startsWith(e))return null;let i=r.trigger.replace(e,"");return i||null};var yr=(n,t)=>typeof n.logo=="string"?n.logo:n.logo[t?.scheme??"light"];var rt=class{async getRandomBytes(t){if(typeof window>"u"||!window.crypto)throw new Error("Web Crypto API not available");let r=new Uint8Array(t);return window.crypto.getRandomValues(r),r}},et=class{async getRandomBytes(t){if(typeof process>"u"||!process.versions?.node)throw new Error("Node.js environment not detected");try{let r=await import("crypto");return new Uint8Array(r.randomBytes(t))}catch(r){throw new Error(`Node.js crypto not available: ${r instanceof Error?r.message:"Unknown error"}`)}}},V=null;function gt(){if(V)return V;if(typeof window<"u"&&window.crypto)return V=new rt,V;if(typeof process<"u"&&process.versions?.node)return V=new et,V;throw new Error("No compatible crypto provider found. Please provide a crypto provider using setCryptoProvider() or ensure Web Crypto API is available.")}function Ar(n){V=n}async function ht(n,t){if(n<=0||!Number.isInteger(n))throw new Error("Size must be a positive integer");return(t||gt()).getRandomBytes(n)}function qt(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");let t=new Array(n.length*2);for(let r=0;r<n.length;r++){let e=n[r];t[r*2]=(e>>>4).toString(16),t[r*2+1]=(e&15).toString(16)}return t.join("")}function xr(n){if(!(n instanceof Uint8Array))throw new Error("Input must be a Uint8Array");if(typeof Buffer<"u")return Buffer.from(n).toString("base64");if(typeof btoa<"u"){let t=String.fromCharCode.apply(null,Array.from(n));return btoa(t)}else throw new Error("Base64 encoding not available in this environment")}async function mt(n,t){if(n<=0||n%2!==0)throw new Error("Length must be a positive even number");let r=await ht(n/2,t);return qt(r)}async function Cr(){let n={randomBytes:!1,environment:"unknown"};try{typeof window<"u"&&window.crypto?n.environment="browser":typeof process<"u"&&process.versions?.node&&(n.environment="nodejs"),await ht(16),n.randomBytes=!0}catch{}return n}function Ir(){return gt()}var br=n=>Object.values(n.vars||{}).filter(t=>t.startsWith(`${c.Vars.Env}:`)).map(t=>{let r=t.replace(`${c.Vars.Env}:`,"").trim(),[e,i]=r.split(c.ArgCompositeSeparator);return{key:e,description:i||null}});var m=(n,t)=>{let r=t.find(e=>e.chainInfo.name.toLowerCase()===n.toLowerCase());if(!r)throw new Error(`Adapter not found for chain: ${n}`);return r},z=n=>{if(n==="warp")return`warp:${F.Warp}`;if(n==="brand")return`brand:${F.Brand}`;if(n==="abi")return`abi:${F.Abi}`;throw new Error(`getLatestProtocolIdentifier: Invalid protocol name: ${n}`)},b=(n,t)=>n?.actions[t-1],N=n=>{if(n.actions.length===0)throw new Error(`Warp has no primary action: ${n.meta?.identifier}`);let t=n.actions.find(s=>s.primary===!0);if(t)return{action:t,index:n.actions.indexOf(t)};let r=["transfer","contract","query","collect"],e=n.actions.find(s=>r.includes(s.type));return e?{action:e,index:n.actions.indexOf(e)}:{action:n.actions[0],index:0}},nt=(n,t)=>{if(n.auto===!1)return!1;if(n.type==="link"){if(n.auto===!0)return!0;let{action:r}=N(t);return n===r}return!0},M=(n,t)=>{let r=n.toString(),[e,i=""]=r.split("."),s=Math.abs(t);if(t>0)return BigInt(e+i.padEnd(s,"0"));if(t<0){let a=e+i;if(s>=a.length)return 0n;let o=a.slice(0,-s)||"0";return BigInt(o)}else return r.includes(".")?BigInt(r.split(".")[0]):BigInt(r)},Wt=(n,t=100)=>{if(!n)return"";let r=n.replace(/<\/?(h[1-6])[^>]*>/gi," - ").replace(/<\/?(p|div|ul|ol|li|br|hr)[^>]*>/gi," ").replace(/<[^>]+>/g,"").replace(/\s+/g," ").trim();return r=r.startsWith("- ")?r.slice(2):r,r=r.length>t?r.substring(0,r.lastIndexOf(" ",t))+"...":r,r},O=(n,t)=>n.replace(/\{\{([^}]+)\}\}/g,(r,e)=>t[e]||"");var Rr={de:"German",en:"English",es:"Spanish",fr:"French",it:"Italian",pt:"Portuguese",ru:"Russian",zh:"Chinese",ja:"Japanese",ko:"Korean",ar:"Arabic",hi:"Hindi",nl:"Dutch",sv:"Swedish",da:"Danish",no:"Norwegian",fi:"Finnish",pl:"Polish",tr:"Turkish",el:"Greek",he:"Hebrew",th:"Thai",vi:"Vietnamese",id:"Indonesian",ms:"Malay",tl:"Tagalog"},G=(n,t)=>{let r=t?.preferences?.locale||"en";if(typeof n=="string")return n;if(typeof n=="object"&&n!==null){if(r in n)return n[r];if("en"in n)return n.en;let e=Object.keys(n);if(e.length>0)return n[e[0]]}return""},Br=n=>typeof n=="object"&&n!==null&&Object.keys(n).length>0,$r=n=>n;var J=n=>n.startsWith(c.IdentifierAliasMarker)?n.replace(c.IdentifierAliasMarker,""):n,Or=(n,t)=>!n||!t?!1:J(n)===J(t),it=(n,t,r)=>{let e=J(r);return t===c.IdentifierType.Alias?c.IdentifierAliasMarker+n+c.IdentifierParamSeparator+e:n+c.IdentifierParamSeparator+t+c.IdentifierParamSeparator+e},T=n=>{let t=decodeURIComponent(n).trim(),r=J(t),e=r.split("?")[0],i=yt(e);if(e.length===64&&/^[a-fA-F0-9]+$/.test(e))return{chain:c.IdentifierChainDefault,type:c.IdentifierType.Hash,identifier:r,identifierBase:e};if(i.length===2&&/^[a-zA-Z0-9]{62}$/.test(i[0])&&/^[a-zA-Z0-9]{2}$/.test(i[1]))return null;if(i.length===3){let[s,a,o]=i;if(a===c.IdentifierType.Alias||a===c.IdentifierType.Hash){let p=r.includes("?")?o+r.substring(r.indexOf("?")):o;return{chain:s,type:a,identifier:p,identifierBase:o}}}if(i.length===2){let[s,a]=i;if(s===c.IdentifierType.Alias||s===c.IdentifierType.Hash){let o=r.includes("?")?a+r.substring(r.indexOf("?")):a;return{chain:c.IdentifierChainDefault,type:s,identifier:o,identifierBase:a}}}if(i.length===2){let[s,a]=i;if(s!==c.IdentifierType.Alias&&s!==c.IdentifierType.Hash){let o=r.includes("?")?a+r.substring(r.indexOf("?")):a,p=zt(a,s)?c.IdentifierType.Hash:c.IdentifierType.Alias;return{chain:s,type:p,identifier:o,identifierBase:a}}}return{chain:c.IdentifierChainDefault,type:c.IdentifierType.Alias,identifier:r,identifierBase:e}},D=n=>{let t=new URL(n),e=t.searchParams.get(c.IdentifierParamName);if(e||(e=t.pathname.split("/")[1]),!e)return null;let i=decodeURIComponent(e);return T(i)},zt=(n,t)=>/^[a-fA-F0-9]+$/.test(n)&&n.length>32,Mt=n=>{let t=c.IdentifierParamSeparator,r=n.indexOf(t);return r!==-1?{separator:t,index:r}:null},yt=n=>{let t=Mt(n);if(!t)return[n];let{separator:r,index:e}=t,i=n.substring(0,e),s=n.substring(e+r.length),a=yt(s);return[i,...a]},vt=n=>{try{let t=new URL(n),r=new URLSearchParams(t.search);return r.delete(c.IdentifierParamName),r.toString()||null}catch{return null}},At=n=>{let t=n.indexOf("?");if(t===-1||t===n.length-1)return null;let r=n.substring(t+1);return r.length>0?r:null};var at=n=>{let[t,...r]=n.split(/:(.*)/,2);return[t,r[0]||""]},Hr=n=>{let t=new Set(Object.values(d));if(!n.includes(c.ArgParamsSeparator))return!1;let r=at(n)[0];return t.has(r)};var xt=(n,t,r)=>{let e=Object.entries(n.messages||{}).map(([i,s])=>{let a=G(s,r);return[i,O(a,t)]});return Object.fromEntries(e)};import Gt from"qr-code-styling";var H=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(c.HttpProtocolPrefix)?!!D(t):!1}build(t,r,e){let i=this.config.clientUrl||$.DefaultClientUrl(this.config.env),s=m(t,this.adapters),a=r===c.IdentifierType.Alias?e:r+c.IdentifierParamSeparator+e,o=s.chainInfo.name+c.IdentifierParamSeparator+a,p=encodeURIComponent(o);return $.SuperClientUrls.includes(i)?`${i}/${p}`:`${i}?${c.IdentifierParamName}=${p}`}buildFromPrefixedIdentifier(t){let r=T(t);if(!r)return null;let e=m(r.chain,this.adapters);return e?this.build(e.chainInfo.name,r.type,r.identifierBase):null}generateQrCode(t,r,e,i=512,s="white",a="black",o="#23F7DD"){let p=m(t,this.adapters),l=this.build(p.chainInfo.name,r,e);return new Gt({type:"svg",width:i,height:i,data:String(l),margin:16,qrOptions:{typeNumber:0,mode:"Byte",errorCorrectionLevel:"Q"},backgroundOptions:{color:s},dotsOptions:{type:"extra-rounded",color:a},cornersSquareOptions:{type:"extra-rounded",color:a},cornersDotOptions:{type:"square",color:a},imageOptions:{hideBackgroundDots:!0,imageSize:.4,margin:8},image:`data:image/svg+xml;utf8,<svg width="16" height="16" viewBox="0 0 100 100" fill="${encodeURIComponent(o)}" xmlns="http://www.w3.org/2000/svg"><path d="M54.8383 50.0242L95 28.8232L88.2456 16L51.4717 30.6974C50.5241 31.0764 49.4759 31.0764 48.5283 30.6974L11.7544 16L5 28.8232L45.1616 50.0242L5 71.2255L11.7544 84.0488L48.5283 69.351C49.4759 68.9724 50.5241 68.9724 51.4717 69.351L88.2456 84.0488L95 71.2255L54.8383 50.0242Z"/></svg>`})}};var Jt="https://",Ct=(n,t,r,e,i)=>{let s=r.actions?.[e-1]?.next||r.next||null;if(!s)return null;if(s.startsWith(Jt))return[{identifier:null,url:s}];let[a,o]=s.split("?");if(!o){let h=O(a,{...r.vars,...i});return[{identifier:h,url:st(t,h,n)}]}let p=o.match(/{{([^}]+)\[\](\.[^}]+)?}}/g)||[];if(p.length===0){let h=O(o,{...r.vars,...i}),v=h?`${a}?${h}`:a;return[{identifier:v,url:st(t,v,n)}]}let l=p[0];if(!l)return[];let u=l.match(/{{([^[]+)\[\]/),f=u?u[1]:null;if(!f||i[f]===void 0)return[];let g=Array.isArray(i[f])?i[f]:[i[f]];if(g.length===0)return[];let W=p.filter(h=>h.includes(`{{${f}[]`)).map(h=>{let v=h.match(/\[\](\.[^}]+)?}}/),A=v&&v[1]||"";return{placeholder:h,field:A?A.slice(1):"",regex:new RegExp(h.replace(/[.*+?^${}()|[\]\\]/g,"\\$&"),"g")}});return g.map(h=>{let v=o;for(let{regex:P,field:B}of W){let w=B?Qt(h,B):h;if(w==null)return null;v=v.replace(P,w)}if(v.includes("{{")||v.includes("}}"))return null;let A=v?`${a}?${v}`:a;return{identifier:A,url:st(t,A,n)}}).filter(h=>h!==null)},st=(n,t,r)=>{let[e,i]=t.split("?"),s=T(e)||{chain:c.IdentifierChainDefault,type:"alias",identifier:e,identifierBase:e},a=m(s.chain,n);if(!a)throw new Error(`Adapter not found for chain ${s.chain}`);let o=new H(r,n).build(a.chainInfo.name,s.type,s.identifierBase);if(!i)return o;let p=new URL(o);return new URLSearchParams(i).forEach((l,u)=>p.searchParams.set(u,l)),p.toString().replace(/\/\?/,"?")},Qt=(n,t)=>t.split(".").reduce((r,e)=>r?.[e],n);function Kt(n,t,r){return n.startsWith(c.Position.Payload)?n.slice(c.Position.Payload.length).split(".").reduceRight((e,i,s,a)=>({[i]:s===a.length-1?{[t]:r}:e}),{}):{[t]:r}}function It(n,t){if(!n)return{...t};if(!t)return{...n};let r={...n};return Object.keys(t).forEach(e=>{r[e]&&typeof r[e]=="object"&&typeof t[e]=="object"?r[e]=It(r[e],t[e]):r[e]=t[e]}),r}function _t(n,t){if(!n.value)return null;let r=t.stringToNative(n.value)[1];if(n.input.type==="biguint")return r.toString();if(n.input.type==="asset"){let{identifier:e,amount:i}=r;return{identifier:e,amount:i.toString()}}else return r}function L(n){return n.map(t=>t.value).filter(t=>t!=null&&t!=="")}function Q(n,t){let r={};return n.forEach(e=>{let i=e.input.as||e.input.name,s=_t(e,t);if(e.input.position&&typeof e.input.position=="string"&&e.input.position.startsWith(c.Position.Payload)){let a=Kt(e.input.position,i,s);r=It(r,a)}else r[i]=s}),r}var ee=(n,t,r,e)=>{let i=n.preferences?.providers?.[t];return i?.[r]?typeof i[r]=="string"?{url:i[r]}:i[r]:{url:e}};var U=class U{static debug(...t){U.isTestEnv||console.debug(...t)}static info(...t){U.isTestEnv||console.info(...t)}static warn(...t){U.isTestEnv||console.warn(...t)}static error(...t){U.isTestEnv||console.error(...t)}};U.isTestEnv=typeof process<"u"&&process.env.JEST_WORKER_ID!==void 0;var I=U;var ot=async(n,t,r,e,i,s)=>{let a=[],o=[],p={};for(let[u,f]of Object.entries(n.output||{})){if(f.startsWith(c.Transform.Prefix))continue;let g=tr(f);if(g!==null&&g!==r){p[u]=null;continue}let[W,...y]=f.split("."),h=(v,A)=>A.reduce((P,B)=>P&&P[B]!==void 0?P[B]:null,v);if(W==="out"||W.startsWith("out[")){let v=y.length===0?t?.data||t:h(t,y);a.push(String(v)),o.push(v),p[u]=v}else p[u]=f}let l=Q(e,i);return{values:{string:a,native:o,mapped:l},output:await Xt(n,p,r,e,i,s)}},Xt=async(n,t,r,e,i,s)=>{if(!n.output)return t;let a={...t};return a=Zt(a,n,r,e,i),a=await Yt(n,a,s.transform?.runner||null),a},Zt=(n,t,r,e,i)=>{let s={...n},a=b(t,r)?.inputs||[];for(let[o,p]of Object.entries(s))if(typeof p=="string"&&p.startsWith("in.")){let l=p.split(".")[1],u=a.findIndex(g=>g.as===l||g.name===l),f=u!==-1?e[u]?.value:null;s[o]=f?i.stringToNative(f)[1]:null}return s},Yt=async(n,t,r)=>{if(!n.output)return t;let e={...t},i=Object.entries(n.output).filter(([,s])=>s.startsWith(c.Transform.Prefix)).map(([s,a])=>({key:s,code:a.substring(c.Transform.Prefix.length)}));if(i.length>0&&(!r||typeof r.run!="function"))throw new Error("Transform output is defined but no transform runner is configured. Provide a runner via config.transform.runner.");for(let{key:s,code:a}of i)try{e[s]=await r.run(a,e)}catch(o){I.error(`Transform error for output '${s}':`,o),e[s]=null}return e},tr=n=>{if(n==="out")return 1;let t=n.match(/^out\[(\d+)\]/);return t?parseInt(t[1],10):(n.startsWith("out.")||n.startsWith("event."),null)};async function rr(n,t,r,e=5){let i=await mt(64,r),s=new Date(Date.now()+e*60*1e3).toISOString();return{message:JSON.stringify({wallet:n,nonce:i,expiresAt:s,purpose:t}),nonce:i,expiresAt:s}}async function pt(n,t,r,e){let i=e||`prove-wallet-ownership for app "${t}"`;return rr(n,i,r,5)}function ct(n,t,r,e){return{"X-Signer-Wallet":n,"X-Signer-Signature":t,"X-Signer-Nonce":r,"X-Signer-ExpiresAt":e}}async function de(n,t,r,e){let{message:i,nonce:s,expiresAt:a}=await pt(n,r,e),o=await t(i);return ct(n,o,s,a)}function fe(n){let t=new Date(n).getTime();return Date.now()<t}function ge(n){try{let t=JSON.parse(n);if(!t.wallet||!t.nonce||!t.expiresAt||!t.purpose)throw new Error("Invalid signed message: missing required fields");return t}catch(t){throw new Error(`Failed to parse signed message: ${t instanceof Error?t.message:"Unknown error"}`)}}var er=n=>n?typeof n=="string"?n:n.address:null,S=(n,t)=>er(n.user?.wallets?.[t]||null),nr=n=>n?typeof n=="string"?n:n.privateKey:null,ir=n=>n?typeof n=="string"?n:n.mnemonic:null,me=(n,t)=>nr(n.user?.wallets?.[t]||null)?.trim()||null,We=(n,t)=>ir(n.user?.wallets?.[t]||null)?.trim()||null;var x=class{constructor(t){this.typeRegistry=t?.typeRegistry}nativeToString(t,r){if(t===d.Tuple&&Array.isArray(r)){if(r.length===0)return t+c.ArgParamsSeparator;if(r.every(e=>typeof e=="string"&&e.includes(c.ArgParamsSeparator))){let e=r.map(a=>this.getTypeAndValue(a)),i=e.map(([a])=>a),s=e.map(([,a])=>a);return`${t}(${i.join(c.ArgCompositeSeparator)})${c.ArgParamsSeparator}${s.join(c.ArgListSeparator)}`}return t+c.ArgParamsSeparator+r.join(c.ArgListSeparator)}if(t===d.Struct&&typeof r=="object"&&r!==null&&!Array.isArray(r)){let e=r;if(!e._name)throw new Error("Struct objects must have a _name property to specify the struct name");let i=e._name,s=Object.keys(e).filter(o=>o!=="_name");if(s.length===0)return`${t}(${i})${c.ArgParamsSeparator}`;let a=s.map(o=>{let[p,l]=this.getTypeAndValue(e[o]);return`(${o}${c.ArgParamsSeparator}${p})${l}`});return`${t}(${i})${c.ArgParamsSeparator}${a.join(c.ArgListSeparator)}`}if(t===d.Vector&&Array.isArray(r)){if(r.length===0)return`${t}${c.ArgParamsSeparator}`;if(r.every(e=>typeof e=="string"&&e.includes(c.ArgParamsSeparator))){let e=r[0],i=e.indexOf(c.ArgParamsSeparator),s=e.substring(0,i),a=r.map(p=>{let l=p.indexOf(c.ArgParamsSeparator),u=p.substring(l+1);return s.startsWith(d.Tuple)?u.replace(c.ArgListSeparator,c.ArgCompositeSeparator):u}),o=s.startsWith(d.Struct)?c.ArgStructSeparator:c.ArgListSeparator;return t+c.ArgParamsSeparator+s+c.ArgParamsSeparator+a.join(o)}return t+c.ArgParamsSeparator+r.join(c.ArgListSeparator)}if(t===d.Asset&&typeof r=="object"&&r&&"identifier"in r&&"amount"in r)return"decimals"in r?d.Asset+c.ArgParamsSeparator+r.identifier+c.ArgCompositeSeparator+String(r.amount)+c.ArgCompositeSeparator+String(r.decimals):d.Asset+c.ArgParamsSeparator+r.identifier+c.ArgCompositeSeparator+String(r.amount);if(this.typeRegistry){let e=this.typeRegistry.getHandler(t);if(e)return e.nativeToString(r);let i=this.typeRegistry.resolveType(t);if(i!==t)return this.nativeToString(i,r)}return t+c.ArgParamsSeparator+(r?.toString()??"")}stringToNative(t){let r=t.split(c.ArgParamsSeparator),e=r[0],i=r.slice(1).join(c.ArgParamsSeparator);if(e==="null")return[e,null];if(e===d.Option){let[s,a]=i.split(c.ArgParamsSeparator);return[d.Option+c.ArgParamsSeparator+s,a||null]}if(e===d.Vector){let s=i.indexOf(c.ArgParamsSeparator),a=i.substring(0,s),o=i.substring(s+1),p=a.startsWith(d.Struct)?c.ArgStructSeparator:c.ArgListSeparator,u=(o?o.split(p):[]).map(f=>this.stringToNative(a+c.ArgParamsSeparator+f)[1]);return[d.Vector+c.ArgParamsSeparator+a,u]}else if(e.startsWith(d.Tuple)){let s=e.match(/\(([^)]+)\)/)?.[1]?.split(c.ArgCompositeSeparator),o=i.split(c.ArgCompositeSeparator).map((p,l)=>this.stringToNative(`${s[l]}${c.IdentifierParamSeparator}${p}`)[1]);return[e,o]}else if(e.startsWith(d.Struct)){let s=e.match(/\(([^)]+)\)/);if(!s)throw new Error("Struct type must include a name in the format struct(Name)");let o={_name:s[1]};return i&&i.split(c.ArgListSeparator).forEach(p=>{let l=p.match(new RegExp(`^\\(([^${c.ArgParamsSeparator}]+)${c.ArgParamsSeparator}([^)]+)\\)(.+)$`));if(l){let[,u,f,g]=l;o[u]=this.stringToNative(`${f}${c.IdentifierParamSeparator}${g}`)[1]}}),[e,o]}else{if(e===d.String)return[e,i];if(e===d.Uint8||e===d.Uint16||e===d.Uint32)return[e,Number(i)];if(e===d.Uint64||e===d.Uint128||e===d.Uint256||e===d.Biguint)return[e,BigInt(i||0)];if(e===d.Bool)return[e,i==="true"];if(e===d.Address)return[e,i];if(e===d.Hex)return[e,i];if(e===d.Asset){let[s,a]=i.split(c.ArgCompositeSeparator),o={identifier:s,amount:BigInt(a)};return[e,o]}}if(this.typeRegistry){let s=this.typeRegistry.getHandler(e);if(s){let o=s.stringToNative(i);return[e,o]}let a=this.typeRegistry.resolveType(e);if(a!==e){let[o,p]=this.stringToNative(`${a}:${i}`);return[e,p]}}throw new Error(`WarpArgSerializer (stringToNative): Unsupported input type: ${e}`)}getTypeAndValue(t){if(typeof t=="string"&&t.includes(c.ArgParamsSeparator)){let[r,e]=t.split(c.ArgParamsSeparator);return[r,e]}return typeof t=="number"?[d.Uint32,t]:typeof t=="bigint"?[d.Uint64,t]:typeof t=="boolean"?[d.Bool,t]:[typeof t,t]}};var Ie=n=>new x().nativeToString(d.String,n),Se=n=>new x().nativeToString(d.Uint8,n),we=n=>new x().nativeToString(d.Uint16,n),be=n=>new x().nativeToString(d.Uint32,n),Te=n=>new x().nativeToString(d.Uint64,n),Pe=n=>new x().nativeToString(d.Biguint,n),Ee=n=>new x().nativeToString(d.Bool,n),Re=n=>new x().nativeToString(d.Address,n),St=n=>new x().nativeToString(d.Asset,n),Be=n=>new x().nativeToString(d.Hex,n),$e=(n,t)=>{if(t===null)return d.Option+c.ArgParamsSeparator;let r=n(t),e=r.indexOf(c.ArgParamsSeparator),i=r.substring(0,e),s=r.substring(e+1);return d.Option+c.ArgParamsSeparator+i+c.ArgParamsSeparator+s},Ve=(...n)=>new x().nativeToString(d.Tuple,n),Ne=n=>new x().nativeToString(d.Struct,n),Oe=n=>new x().nativeToString(d.Vector,n);import ar from"ajv";var wt=class{constructor(t){this.pendingBrand={protocol:z("brand"),name:"",description:"",logo:""};this.config=t}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.ensureValidSchema(e),e}setName(t){return this.pendingBrand.name=t,this}setDescription(t){return this.pendingBrand.description=t,this}setLogo(t){return this.pendingBrand.logo=t,this}setUrls(t){return this.pendingBrand.urls=t,this}setColors(t){return this.pendingBrand.colors=t,this}setCta(t){return this.pendingBrand.cta=t,this}async build(){return this.ensureWarpText(this.pendingBrand.name,"name is required"),this.ensureWarpText(this.pendingBrand.description,"description is required"),typeof this.pendingBrand.logo=="string"&&this.ensure(this.pendingBrand.logo,"logo is required"),await this.ensureValidSchema(this.pendingBrand),this.pendingBrand}ensure(t,r){if(!t)throw new Error(`Warp: ${r}`)}ensureWarpText(t,r){if(!t)throw new Error(`Warp: ${r}`);if(typeof t=="object"&&Object.keys(t).length===0)throw new Error(`Warp: ${r}`)}async ensureValidSchema(t){let r=this.config.schema?.brand||$.LatestBrandSchemaUrl,i=await(await fetch(r)).json(),s=new ar,a=s.compile(i);if(!a(t))throw new Error(`BrandBuilder: schema validation failed: ${s.errorsText(a.errors)}`)}};import sr from"ajv";var K=class{constructor(t){this.config=t;this.config=t}async validate(t){let r=[];return r.push(...this.validatePrimaryAction(t)),r.push(...this.validateMaxOneValuePosition(t)),r.push(...this.validateVariableNamesAndResultNamesUppercase(t)),r.push(...this.validateAbiIsSetIfApplicable(t)),r.push(...await this.validateSchema(t)),{valid:r.length===0,errors:r}}validatePrimaryAction(t){try{let{action:r}=N(t);return r?[]:["Primary action is required"]}catch(r){return[r instanceof Error?r.message:"Primary action is required"]}}validateMaxOneValuePosition(t){return t.actions.filter(e=>e.inputs?e.inputs.some(i=>i.position==="value"):!1).length>1?["Only one value position action is allowed"]:[]}validateVariableNamesAndResultNamesUppercase(t){let r=[],e=(i,s)=>{i&&Object.keys(i).forEach(a=>{a!==a.toUpperCase()&&r.push(`${s} name '${a}' must be uppercase`)})};return e(t.vars,"Variable"),e(t.output,"Output"),r}validateAbiIsSetIfApplicable(t){let r=t.actions.some(a=>a.type==="contract"),e=t.actions.some(a=>a.type==="query");if(!r&&!e)return[];let i=t.actions.some(a=>a.abi),s=Object.values(t.output||{}).some(a=>a.startsWith("out.")||a.startsWith("event."));return t.output&&!i&&s?["ABI is required when output is present for contract or query actions"]:[]}async validateSchema(t){try{let r=this.config.schema?.warp||$.LatestWarpSchemaUrl,i=await(await fetch(r)).json(),s=new sr({strict:!1}),a=s.compile(i);return a(t)?[]:[`Schema validation failed: ${s.errorsText(a.errors)}`]}catch(r){return[`Schema validation failed: ${r instanceof Error?r.message:String(r)}`]}}};var bt=class{constructor(t){this.config=t;this.pendingWarp={protocol:z("warp"),chain:"",name:"",title:"",description:null,preview:"",actions:[]}}async createFromRaw(t,r=!0){let e=JSON.parse(t);return r&&await this.validate(e),e}async createFromUrl(t){return await(await fetch(t)).json()}setChain(t){return this.pendingWarp.chain=t,this}setName(t){return this.pendingWarp.name=t,this}setTitle(t){return this.pendingWarp.title=t,this}setDescription(t){return this.pendingWarp.description=t,this}setPreview(t){return this.pendingWarp.preview=t,this}setActions(t){return this.pendingWarp.actions=t,this}addAction(t){return this.pendingWarp.actions.push(t),this}async build(){return this.ensure(this.pendingWarp.protocol,"protocol is required"),this.ensure(this.pendingWarp.name,"name is required"),this.ensureWarpText(this.pendingWarp.title,"title is required"),this.ensure(this.pendingWarp.actions.length>0,"actions are required"),await this.validate(this.pendingWarp),this.pendingWarp}getDescriptionPreview(t,r=100){return Wt(t,r)}ensure(t,r){if(!t)throw new Error(r)}ensureWarpText(t,r){if(!t)throw new Error(r);if(typeof t=="object"&&!t.en)throw new Error(r)}async validate(t){let e=await new K(this.config).validate(t);if(!e.valid)throw new Error(e.errors.join(`
|
|
2
|
+
`))}};var k=class{constructor(t="warp-cache"){this.prefix=t}getKey(t){return`${this.prefix}:${t}`}get(t){try{let r=localStorage.getItem(this.getKey(t));if(!r)return null;let e=JSON.parse(r,pr);return Date.now()>e.expiresAt?(localStorage.removeItem(this.getKey(t)),null):e.value}catch{return null}}set(t,r,e){let i={value:r,expiresAt:Date.now()+e*1e3};localStorage.setItem(this.getKey(t),JSON.stringify(i,or))}forget(t){localStorage.removeItem(this.getKey(t))}clear(){for(let t=0;t<localStorage.length;t++){let r=localStorage.key(t);r?.startsWith(this.prefix)&&localStorage.removeItem(r)}}},Tt=new x,or=(n,t)=>typeof t=="bigint"?Tt.nativeToString("biguint",t):t,pr=(n,t)=>typeof t=="string"&&t.startsWith(d.Biguint+":")?Tt.stringToNative(t)[1]:t;var E=class E{get(t){let r=E.cache.get(t);return r?Date.now()>r.expiresAt?(E.cache.delete(t),null):r.value:null}set(t,r,e){let i=Date.now()+e*1e3;E.cache.set(t,{value:r,expiresAt:i})}forget(t){E.cache.delete(t)}clear(){E.cache.clear()}};E.cache=new Map;var q=E;var Pt={OneMinute:60,OneHour:3600,OneDay:3600*24,OneWeek:3600*24*7,OneMonth:3600*24*30,OneYear:3600*24*365},lt={Warp:(n,t)=>`warp:${n}:${t}`,WarpAbi:(n,t)=>`warp-abi:${n}:${t}`,WarpExecutable:(n,t,r)=>`warp-exec:${n}:${t}:${r}`,RegistryInfo:(n,t)=>`registry-info:${n}:${t}`,Brand:(n,t)=>`brand:${n}:${t}`,Asset:(n,t,r)=>`asset:${n}:${t}:${r}`},_=class{constructor(t){this.strategy=this.selectStrategy(t)}selectStrategy(t){return t==="localStorage"?new k:t==="memory"?new q:typeof window<"u"&&window.localStorage?new k:new q}set(t,r,e){this.strategy.set(t,r,e)}get(t){return this.strategy.get(t)}forget(t){this.strategy.forget(t)}clear(){this.strategy.clear()}};var R=class{constructor(t,r){this.config=t;this.adapter=r}async apply(t,r,e={}){let i=this.applyVars(t,r,e);return await this.applyGlobals(t,i)}async applyGlobals(t,r){let e={...r};return e.actions=await Promise.all(e.actions.map(async i=>await this.applyActionGlobals(i))),e=await this.applyRootGlobals(e,t),e}applyVars(t,r,e={}){if(!r?.vars)return r;let i=S(t,this.adapter.chainInfo.name),s=JSON.stringify(r),a=(o,p)=>{s=s.replace(new RegExp(`{{${o.toUpperCase()}}}`,"g"),p.toString())};return Object.entries(r.vars).forEach(([o,p])=>{if(typeof p!="string")a(o,p);else if(p.startsWith(c.Vars.Query+c.ArgParamsSeparator)){let l=p.slice(c.Vars.Query.length+1),[u,f]=l.split(c.ArgCompositeSeparator),g=t.currentUrl?new URLSearchParams(t.currentUrl.split("?")[1]).get(u):null,y=e.queries?.[u]||null||g;y&&a(o,y)}else if(p.startsWith(c.Vars.Env+c.ArgParamsSeparator)){let l=p.slice(c.Vars.Env.length+1),[u,f]=l.split(c.ArgCompositeSeparator),W={...t.vars,...e.envs}?.[u];W&&a(o,W)}else p===c.Source.UserWallet&&i?a(o,i):a(o,p)}),JSON.parse(s)}async applyRootGlobals(t,r){let e=JSON.stringify(t),i={config:r,adapter:this.adapter};return Object.values(c.Globals).forEach(s=>{let a=s.Accessor(i);a!=null&&(e=e.replace(new RegExp(`{{${s.Placeholder}}}`,"g"),a.toString()))}),JSON.parse(e)}async applyActionGlobals(t){let r=JSON.stringify(t),e={config:this.config,adapter:this.adapter};return Object.values(c.Globals).forEach(i=>{let s=i.Accessor(e);s!=null&&(r=r.replace(new RegExp(`{{${i.Placeholder}}}`,"g"),s.toString()))}),JSON.parse(r)}applyInputs(t,r,e,i){if(!t||typeof t!="string"||!t.includes("{{"))return t;let s=this.applyGlobalsToText(t),a=this.buildInputBag(r,e,i);return O(s,a)}applyGlobalsToText(t){if(!Object.values(c.Globals).map(a=>a.Placeholder).some(a=>t.includes(`{{${a}}}`)))return t;let i={config:this.config,adapter:this.adapter},s=t;return Object.values(c.Globals).forEach(a=>{let o=a.Accessor(i);o!=null&&(s=s.replace(new RegExp(`{{${a.Placeholder}}}`,"g"),o.toString()))}),s}buildInputBag(t,r,e){let i={};return t.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,o]=r.stringToNative(s.value);i[a]=String(o)}),e&&e.forEach(s=>{if(!s.value)return;let a=s.input.as||s.input.name,[,o]=r.stringToNative(s.value);if(i[`primary.${a}`]=String(o),s.input.type==="asset"&&typeof s.input.position=="object"){let p=o;p&&typeof p=="object"&&"identifier"in p&&"amount"in p&&(i[`primary.${a}.token`]=String(p.identifier),i[`primary.${a}.amount`]=String(p.amount))}}),i}};var j=class{constructor(t,r){this.config=t;this.adapters=r;if(!t.currentUrl)throw new Error("WarpFactory: currentUrl config not set");this.url=new URL(t.currentUrl),this.serializer=new x,this.cache=new _(t.cache?.type)}getSerializer(){return this.serializer}getResolvedInputsFromCache(t,r,e){let i=this.cache.get(lt.WarpExecutable(t,r||"",e))||[];return L(i)}async createExecutable(t,r,e,i={}){let s=b(t,r);if(!s)throw new Error("WarpFactory: Action not found");let a=await this.getChainInfoForWarp(t,e),o=m(a.name,this.adapters),p=new R(this.config,o),l=await p.apply(this.config,t,i),u=b(l,r),{action:f,index:g}=N(l),W=this.getStringTypedInputs(f,e),y=await this.getResolvedInputs(a.name,f,W,p),h=await this.getModifiedInputs(y),v=[],A=[];g===r-1&&(v=y,A=h);let P=A.find(C=>C.input.position==="receiver"||C.input.position==="destination")?.value,B=this.getDestinationFromAction(u),w=P?this.serializer.stringToNative(P)[1]:B;if(w&&(w=p.applyInputs(w,A,this.serializer,h)),!w&&s.type!=="collect")throw new Error("WarpActionExecutor: Destination/Receiver not provided");let tt=this.getPreparedArgs(u,A);tt=tt.map(C=>p.applyInputs(C,A,this.serializer,h));let Bt=A.find(C=>C.input.position==="value")?.value||null,$t="value"in u?u.value:null,Vt=Bt?.split(c.ArgParamsSeparator)[1]||$t||"0",Nt=p.applyInputs(Vt,A,this.serializer,h),Ot=BigInt(Nt),Ut=A.filter(C=>C.input.position==="transfer"&&C.value).map(C=>C.value),Ft=[...("transfers"in u?u.transfers:[])||[],...Ut||[]].map(C=>{let Dt=p.applyInputs(C,A,this.serializer,h);return this.serializer.stringToNative(Dt)[1]}),Ht=A.find(C=>C.input.position==="data")?.value,Lt="data"in u?u.data||"":null,ut=Ht||Lt||null,jt=ut?p.applyInputs(ut,A,this.serializer,h):null,dt={warp:l,chain:a,action:r,destination:w,args:tt,value:Ot,transfers:Ft,data:jt,resolvedInputs:A};return this.cache.set(lt.WarpExecutable(this.config.env,l.meta?.hash||"",r),dt.resolvedInputs,Pt.OneWeek),dt}async getChainInfoForWarp(t,r){if(t.chain)return m(t.chain,this.adapters).chainInfo;if(r){let i=await this.tryGetChainFromInputs(t,r);if(i)return i}return this.adapters[0].chainInfo}getStringTypedInputs(t,r){let e=t.inputs||[];return r.map((i,s)=>{let a=e[s];return!a||i.includes(c.ArgParamsSeparator)?i:this.serializer.nativeToString(a.type,i)})}async getResolvedInputs(t,r,e,i){let s=r.inputs||[],a=await Promise.all(e.map(p=>this.preprocessInput(t,p))),o=(p,l)=>{if(p.source==="query"){let u=this.url.searchParams.get(p.name);return u?this.serializer.nativeToString(p.type,u):null}else if(p.source===c.Source.UserWallet){let u=S(this.config,t);return u?this.serializer.nativeToString("address",u):null}else if(p.source==="hidden"){if(p.default===void 0)return null;let u=i?i.applyInputs(String(p.default),[],this.serializer):String(p.default);return this.serializer.nativeToString(p.type,u)}else return a[l]||null};return s.map((p,l)=>{let u=o(p,l),f=p.default!==void 0?i?i.applyInputs(String(p.default),[],this.serializer):String(p.default):void 0;return{input:p,value:u||(f!==void 0?this.serializer.nativeToString(p.type,f):null)}})}async getModifiedInputs(t){let r=[];for(let e=0;e<t.length;e++){let i=t[e];if(i.input.modifier?.startsWith("scale:")){let[,s]=i.input.modifier.split(":");if(isNaN(Number(s))){let a=Number(t.find(l=>l.input.name===s)?.value?.split(":")[1]);if(!a)throw new Error(`WarpActionExecutor: Exponent value not found for input ${s}`);let o=i.value?.split(":")[1];if(!o)throw new Error("WarpActionExecutor: Scalable value not found");let p=M(o,+a);r.push({...i,value:`${i.input.type}:${p}`})}else{let a=i.value?.split(":")[1];if(!a)throw new Error("WarpActionExecutor: Scalable value not found");let o=M(a,+s);r.push({...i,value:`${i.input.type}:${o}`})}}else if(i.input.modifier?.startsWith(c.Transform.Prefix)){let s=i.input.modifier.substring(c.Transform.Prefix.length),a=this.config.transform?.runner;if(!a||typeof a.run!="function")throw new Error("Transform modifier is defined but no transform runner is configured. Provide a runner via config.transform.runner.");let o=this.buildInputContext(t,e,i),p=await a.run(s,o);if(p==null)r.push(i);else{let l=this.serializer.nativeToString(i.input.type,p);r.push({...i,value:l})}}else r.push(i)}return r}buildInputContext(t,r,e){let i={};for(let s=0;s<r;s++){let a=t[s];if(!a.value)continue;let o=a.input.as||a.input.name,[,p]=this.serializer.stringToNative(a.value);if(i[o]=p,a.input.type==="asset"&&typeof p=="object"&&p!==null){let l=p;"identifier"in l&&"amount"in l&&(i[`${o}.token`]=String(l.identifier),i[`${o}.amount`]=String(l.amount),i[`${o}.identifier`]=String(l.identifier))}}if(e&&e.value){let s=e.input.as||e.input.name,[,a]=this.serializer.stringToNative(e.value);if(i[s]=a,e.input.type==="asset"&&typeof a=="object"&&a!==null){let o=a;"identifier"in o&&"amount"in o&&(i[`${s}.token`]=String(o.identifier),i[`${s}.amount`]=String(o.amount),i[`${s}.identifier`]=String(o.identifier))}}return i}async preprocessInput(t,r){try{let[e,i]=at(r),s=m(t,this.adapters);if(e==="asset"){let[a,o,p]=i.split(c.ArgCompositeSeparator);if(p)return r;let l=await s.dataLoader.getAsset(a);if(!l)throw new Error(`WarpFactory: Asset not found for asset ${a}`);if(typeof l.decimals!="number")throw new Error(`WarpFactory: Decimals not found for asset ${a}`);let u=M(o,l.decimals);return St({...l,amount:u})}else return r}catch(e){throw I.warn("WarpFactory: Preprocess input failed",e),e}}getDestinationFromAction(t){if("address"in t&&t.address)return t.address;if("destination"in t&&t.destination){if(typeof t.destination=="string")return t.destination;if(typeof t.destination=="object"&&"url"in t.destination)return t.destination.url}return null}getPreparedArgs(t,r){let e="args"in t?t.args||[]:[],i=[];return r.forEach(({input:s,value:a})=>{if(!(!a||!s.position)){if(typeof s.position=="object"){if(s.type!=="asset")throw new Error(`WarpFactory: Object position is only supported for asset type. Input "${s.name}" has type "${s.type}"`);if(!s.position.token?.startsWith("arg:")||!s.position.amount?.startsWith("arg:"))throw new Error(`WarpFactory: Object position must have token and amount as arg:N. Input "${s.name}"`);let[o,p]=this.serializer.stringToNative(a),l=p;if(!l||typeof l!="object"||!("identifier"in l)||!("amount"in l))throw new Error(`WarpFactory: Invalid asset value for input "${s.name}"`);let u=Number(s.position.token.split(":")[1])-1,f=Number(s.position.amount.split(":")[1])-1;i.push({index:u,value:this.serializer.nativeToString("address",l.identifier)}),i.push({index:f,value:this.serializer.nativeToString("uint256",l.amount)})}else if(s.position.startsWith("arg:")){let o=Number(s.position.split(":")[1])-1;i.push({index:o,value:a})}}}),i.forEach(({index:s,value:a})=>{for(;e.length<=s;)e.push(void 0);e[s]=a}),e.filter(s=>s!==void 0)}async tryGetChainFromInputs(t,r){let e=t.actions.find(p=>p.inputs?.some(l=>l.position==="chain"));if(!e)return null;let i=e.inputs?.findIndex(p=>p.position==="chain");if(i===-1||i===void 0)return null;let s=r[i];if(!s)throw new Error("Chain input not found");let a=this.serializer.stringToNative(s)[1];return m(a,this.adapters).chainInfo}};var X=class{constructor(t,r,e){this.config=t;this.adapters=r;this.handlers=e;this.handlers=e,this.factory=new j(t,r)}async execute(t,r,e={}){let i=[],s=null,a=[],o=[],{action:p,index:l}=N(t);for(let u=1;u<=t.actions.length;u++){let f=b(t,u);if(!nt(f,t))continue;let{tx:g,chain:W,immediateExecution:y,executable:h}=await this.executeAction(t,u,r,e);g&&i.push(g),W&&(s=W),y&&a.push(y),h&&u===l+1&&h.resolvedInputs&&(o=L(h.resolvedInputs))}if(!s&&i.length>0)throw new Error(`WarpExecutor: Chain not found for ${i.length} transactions`);if(i.length===0&&a.length>0){let u=a[a.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(u))}return{txs:i,chain:s,immediateExecutions:a,resolvedInputs:o}}async executeAction(t,r,e,i={}){let s=b(t,r);if(s.type==="link")return await this.callHandler(async()=>{let l=s.url;this.config.interceptors?.openLink?await this.config.interceptors.openLink(l):ft.open(l,"_blank")}),{tx:null,chain:null,immediateExecution:null,executable:null};let a=await this.factory.createExecutable(t,r,e,i);if(s.type==="collect"){let l=await this.executeCollect(a);return l.status==="success"?(await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):l.status==="unhandled"?(await this.callHandler(()=>this.handlers?.onActionUnhandled?.({action:r,chain:null,execution:l,tx:null})),{tx:null,chain:null,immediateExecution:l,executable:a}):(this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:null,immediateExecution:null,executable:a})}let o=m(a.chain.name,this.adapters);if(s.type==="query"){let l=await o.executor.executeQuery(a);return l.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:r,chain:a.chain,execution:l,tx:null})):this.handlers?.onError?.({message:JSON.stringify(l.values)}),{tx:null,chain:a.chain,immediateExecution:l,executable:a}}return{tx:await o.executor.createTransaction(a),chain:a.chain,immediateExecution:null,executable:a}}async evaluateOutput(t,r){if(r.length===0||t.actions.length===0||!this.handlers)return;let e=await this.factory.getChainInfoForWarp(t),i=m(e.name,this.adapters),s=(await Promise.all(t.actions.map(async(a,o)=>{if(!nt(a,t)||a.type!=="transfer"&&a.type!=="contract")return null;let p=r[o],l=o+1;if(!p){let f=this.factory.getResolvedInputsFromCache(this.config.env,t.meta?.hash,l),g={status:"error",warp:t,action:l,user:S(this.config,e.name),txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{},messages:{},destination:null,resolvedInputs:f};return await this.callHandler(()=>this.handlers?.onError?.({message:`Action ${l} failed: Transaction not found`})),g}let u=await i.output.getActionExecution(t,l,p);return u.status==="success"?await this.callHandler(()=>this.handlers?.onActionExecuted?.({action:l,chain:e,execution:u,tx:p})):await this.callHandler(()=>this.handlers?.onError?.({message:"Action failed: "+JSON.stringify(u.values)})),u}))).filter(a=>a!==null);if(s.every(a=>a.status==="success")){let a=s[s.length-1];await this.callHandler(()=>this.handlers?.onExecuted?.(a))}else await this.callHandler(()=>this.handlers?.onError?.({message:`Warp failed: ${JSON.stringify(s.map(a=>a.values))}`}))}async executeCollect(t,r){let e=S(this.config,t.chain.name),i=b(t.warp,t.action),s=this.factory.getSerializer(),a=Q(t.resolvedInputs,s);if(i.destination&&typeof i.destination=="object"&&"url"in i.destination)return await this.doHttpRequest(t,i.destination,e,a,r);let{values:o,output:p}=await ot(t.warp,a,t.action,t.resolvedInputs,s,this.config);return this.buildCollectResult(t,e,"unhandled",o,p)}async doHttpRequest(t,r,e,i,s){let a=new R(this.config,m(t.chain.name,this.adapters)),o=new Headers;if(o.set("Content-Type","application/json"),o.set("Accept","application/json"),this.handlers?.onSignRequest){if(!e)throw new Error(`No wallet configured for chain ${t.chain.name}`);let{message:f,nonce:g,expiresAt:W}=await pt(e,`${t.chain.name}-adapter`),y=await this.callHandler(()=>this.handlers?.onSignRequest?.({message:f,chain:t.chain}));if(y){let h=ct(e,y,g,W);Object.entries(h).forEach(([v,A])=>o.set(v,A))}}r.headers&&Object.entries(r.headers).forEach(([f,g])=>{let W=a.applyInputs(g,t.resolvedInputs,this.factory.getSerializer());o.set(f,W)});let p=r.method||"GET",l=p==="GET"?void 0:JSON.stringify({...i,...s}),u=a.applyInputs(r.url,t.resolvedInputs,this.factory.getSerializer());I.debug("WarpExecutor: Executing HTTP collect",{url:u,method:p,headers:o,body:l});try{let f=await fetch(u,{method:p,headers:o,body:l});I.debug("Collect response status",{status:f.status});let g=await f.json();I.debug("Collect response content",{content:g});let{values:W,output:y}=await ot(t.warp,g,t.action,t.resolvedInputs,this.factory.getSerializer(),this.config);return this.buildCollectResult(t,S(this.config,t.chain.name),f.ok?"success":"error",W,y,g)}catch(f){I.error("WarpActionExecutor: Error executing collect",f);let g=L(t.resolvedInputs);return{status:"error",warp:t.warp,action:t.action,user:e,txHash:null,tx:null,next:null,values:{string:[],native:[],mapped:{}},output:{_DATA:f},messages:{},destination:this.getDestinationFromResolvedInputs(t),resolvedInputs:g}}}getDestinationFromResolvedInputs(t){return t.resolvedInputs.find(e=>e.input.position==="receiver"||e.input.position==="destination")?.value||t.destination}buildCollectResult(t,r,e,i,s,a){let o=Ct(this.config,this.adapters,t.warp,t.action,s),p=L(t.resolvedInputs);return{status:e,warp:t.warp,action:t.action,user:r||S(this.config,t.chain.name),txHash:null,tx:null,next:o,values:i,output:a?{...s,_DATA:a}:s,messages:xt(t.warp,s,this.config),destination:this.getDestinationFromResolvedInputs(t),resolvedInputs:p}}async callHandler(t){if(t)return await t()}};var Z=class{constructor(t){this.config=t}async search(t,r,e){if(!this.config.index?.url)throw new Error("WarpIndex: Index URL is not set");try{let i=await fetch(this.config.index?.url,{method:"POST",headers:{"Content-Type":"application/json",Authorization:`Bearer ${this.config.index?.apiKey}`,...e},body:JSON.stringify({[this.config.index?.searchParamName||"search"]:t,...r})});if(!i.ok)throw new Error(`WarpIndex: search failed with status ${i.status}: ${await i.text()}`);return(await i.json()).hits}catch(i){throw I.error("WarpIndex: Error searching for warps: ",i),i}}};var Y=class{constructor(t,r){this.config=t;this.adapters=r}isValid(t){return t.startsWith(c.HttpProtocolPrefix)?!!D(t):!1}async detectFromHtml(t){if(!t.length)return{match:!1,output:[]};let i=[...t.matchAll(/https?:\/\/[^\s"'<>]+/gi)].map(l=>l[0]).filter(l=>this.isValid(l)).map(l=>this.detect(l)),a=(await Promise.all(i)).filter(l=>l.match),o=a.length>0,p=a.map(l=>({url:l.url,warp:l.warp}));return{match:o,output:p}}async detect(t,r){let e={match:!1,url:t,warp:null,chain:null,registryInfo:null,brand:null},i=t.startsWith(c.HttpProtocolPrefix)?D(t):T(t);if(!i)return e;try{let{type:s,identifierBase:a}=i,o=null,p=null,l=null,u=m(i.chain,this.adapters),f=t.startsWith(c.HttpProtocolPrefix)?vt(t):At(i.identifier);if(s==="hash"){o=await u.builder().createFromTransactionHash(a,r);let W=await u.registry.getInfoByHash(a,r);p=W.registryInfo,l=W.brand}else if(s==="alias"){let W=await u.registry.getInfoByAlias(a,r);p=W.registryInfo,l=W.brand,W.registryInfo&&(o=await u.builder().createFromTransactionHash(W.registryInfo.hash,r))}o&&o.meta&&(cr(o,u.chainInfo.name,p,i.identifier),o.meta.query=f);let g=o?await new R(this.config,u).apply(this.config,o):null;return g?{match:!0,url:t,warp:g,chain:u.chainInfo.name,registryInfo:p,brand:l}:e}catch(s){return I.error("Error detecting warp link",s),e}}},cr=(n,t,r,e)=>{n.meta&&(n.meta.identifier=r?.alias?it(t,"alias",r.alias):it(t,"hash",r?.hash??e))};var Et=class{constructor(t,r){this.config=t;this.adapters=r}getConfig(){return this.config}getAdapters(){return this.adapters}addAdapter(t){return this.adapters.push(t),this}createExecutor(t){return new X(this.config,this.adapters,t)}async detectWarp(t,r){return new Y(this.config,this.adapters).detect(t,r)}async executeWarp(t,r,e,i={}){let s=typeof t=="object",a=!s&&t.startsWith("http")&&t.endsWith(".json"),o=s?t:null;if(!o&&a){let y=await fetch(t);if(!y.ok)throw new Error("WarpClient: executeWarp - invalid url");o=await y.json()}if(o||(o=(await this.detectWarp(t,i.cache)).warp),!o)throw new Error("Warp not found");let p=this.createExecutor(e),{txs:l,chain:u,immediateExecutions:f,resolvedInputs:g}=await p.execute(o,r,{queries:i.queries});return{txs:l,chain:u,immediateExecutions:f,evaluateOutput:async y=>{await p.evaluateOutput(o,y)},resolvedInputs:g}}async createInscriptionTransaction(t,r){return await m(t,this.adapters).builder().createInscriptionTransaction(r)}async createFromTransaction(t,r,e=!1){return m(t,this.adapters).builder().createFromTransaction(r,e)}async createFromTransactionHash(t,r){let e=T(t);if(!e)throw new Error("WarpClient: createFromTransactionHash - invalid hash");return m(e.chain,this.adapters).builder().createFromTransactionHash(t,r)}async signMessage(t,r){if(!S(this.config,t))throw new Error(`No wallet configured for chain ${t}`);return m(t,this.adapters).wallet.signMessage(r)}async getActions(t,r,e=!1){let i=this.getDataLoader(t);return(await Promise.all(r.map(async a=>i.getAction(a,e)))).filter(a=>a!==null)}getExplorer(t){return m(t,this.adapters).explorer}getOutput(t){return m(t,this.adapters).output}async getRegistry(t){let r=m(t,this.adapters).registry;return await r.init(),r}getDataLoader(t){return m(t,this.adapters).dataLoader}getWallet(t){return m(t,this.adapters).wallet}get factory(){return new j(this.config,this.adapters)}get index(){return new Z(this.config)}get linkBuilder(){return new H(this.config,this.adapters)}createBuilder(t){return m(t,this.adapters).builder()}createAbiBuilder(t){return m(t,this.adapters).abiBuilder()}createBrandBuilder(t){return m(t,this.adapters).brandBuilder()}createSerializer(t){return m(t,this.adapters).serializer}resolveText(t){return G(t,this.config)}};var Rt=class{constructor(){this.typeHandlers=new Map;this.typeAliases=new Map}registerType(t,r){this.typeHandlers.set(t,r)}registerTypeAlias(t,r){this.typeAliases.set(t,r)}hasType(t){return this.typeHandlers.has(t)||this.typeAliases.has(t)}getHandler(t){let r=this.typeAliases.get(t);return r?this.getHandler(r):this.typeHandlers.get(t)}getAlias(t){return this.typeAliases.get(t)}resolveType(t){let r=this.typeAliases.get(t);return r?this.resolveType(r):t}getRegisteredTypes(){return Array.from(new Set([...this.typeHandlers.keys(),...this.typeAliases.keys()]))}};export{rt as BrowserCryptoProvider,Pt as CacheTtl,et as NodeCryptoProvider,Rr as WARP_LANGUAGES,wt as WarpBrandBuilder,bt as WarpBuilder,_ as WarpCache,lt as WarpCacheKey,kt as WarpChainName,Et as WarpClient,$ as WarpConfig,c as WarpConstants,X as WarpExecutor,j as WarpFactory,Z as WarpIndex,d as WarpInputTypes,R as WarpInterpolator,H as WarpLinkBuilder,Y as WarpLinkDetecter,I as WarpLogger,F as WarpProtocolVersions,x as WarpSerializer,Rt as WarpTypeRegistry,K as WarpValidator,Re as address,xt as applyOutputToMessages,St as asset,Pe as biguint,Ee as bool,Q as buildMappedOutput,Kt as buildNestedPayload,xr as bytesToBase64,qt as bytesToHex,J as cleanWarpIdentifier,ct as createAuthHeaders,pt as createAuthMessage,Ir as createCryptoProvider,de as createHttpAuthHeaders,rr as createSignableMessage,$r as createWarpI18nText,it as createWarpIdentifier,Xt as evaluateOutputCommon,ot as extractCollectOutput,D as extractIdentifierInfoFromUrl,At as extractQueryStringFromIdentifier,vt as extractQueryStringFromUrl,L as extractResolvedInputValues,br as extractWarpSecrets,m as findWarpAdapterForChain,gt as getCryptoProvider,mr as getEventNameFromWarp,z as getLatestProtocolIdentifier,Ct as getNextInfo,ee as getProviderConfig,ht as getRandomBytes,mt as getRandomHex,b as getWarpActionByIndex,yr as getWarpBrandLogoUrl,T as getWarpInfoFromIdentifier,N as getWarpPrimaryAction,er as getWarpWalletAddress,S as getWarpWalletAddressFromConfig,ir as getWarpWalletMnemonic,We as getWarpWalletMnemonicFromConfig,nr as getWarpWalletPrivateKey,me as getWarpWalletPrivateKeyFromConfig,Hr as hasInputPrefix,Be as hex,Or as isEqualWarpIdentifier,nt as isWarpActionAutoExecute,Br as isWarpI18nText,It as mergeNestedPayload,$e as option,tr as parseOutputOutIndex,ge as parseSignedMessage,O as replacePlaceholders,G as resolveWarpText,ft as safeWindow,Ar as setCryptoProvider,M as shiftBigintBy,at as splitInput,Ie as string,Ne as struct,Cr as testCryptoAvailability,_t as toInputPayloadValue,Wt as toPreviewText,Ve as tuple,we as uint16,be as uint32,Te as uint64,Se as uint8,fe as validateSignedMessage,Oe as vector};
|