@aptos-labs/js-pro 0.0.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1 @@
1
+ {"version":3,"sources":["../src/errors.ts","../src/mutations/signAndSubmitRawTransaction/signAndSubmitRawTransaction.ts","../src/mutations/signBuffer/signBuffer.ts","../src/mutations/signMessage/signMessage.ts","../src/mutations/signTransaction/signTransaction.ts","../src/mutations/simulateTransaction/simulateTransaction.ts","../src/utils/accounts.ts","../src/utils/transactions/build.ts","../src/utils/server-time.ts","../src/utils/transactions/utils.ts","../src/utils/move/abort.ts","../src/utils/move/error.ts","../src/utils/move/status.ts","../src/utils/transactions/submit.ts","../src/utils/transactions/index.ts","../src/utils/names.ts","../src/utils/activity/transform.ts","../src/utils/activity/group.ts","../src/utils/cache.ts","../src/utils/dates.ts","../src/constants/fragments.ts","../src/utils/tokens.ts","../src/constants/coins.ts","../src/constants/endpoints.ts","../src/constants/metadata.ts","../src/types/networks.ts","../src/constants/networks.ts","../src/constants/numbers.ts","../src/constants/time.ts","../src/constants/lists/mainnetList.ts","../src/constants/lists/testnetList.ts","../src/utils/parsers.ts","../src/utils/resource.ts","../src/utils/payloads/buildCreateAccountTransferPaylod.ts","../src/utils/payloads/buildFungibleAssetTransferPayload.ts","../src/utils/payloads/buildNaturalCoinTransferPayload.ts","../src/utils/payloads/buildCoinTransferPayload.ts","../src/mutations/submitTransaction/submitTransaction.ts","../src/mutations/fundAccount/fundAccount.ts","../src/queries/fetchIndexedAccountActivities/fetchIndexedAccountActivities.ts","../src/queries/fetchAddressFromName/fetchAddressFromName.ts","../src/queries/fetchCoinInfo/fetchCoinInfo.ts","../src/queries/fetchCoinPrice/fetchCoinPrice.ts","../src/queries/fetchEvents/fetchEvents.ts","../src/queries/fetchFaucetStatus/fetchFaucetStatus.ts","../src/queries/fetchGasPrice/fetchGasPrice.ts","../src/queries/fetchIndexedAccountCollections/fetchIndexedAccountCollections.ts","../src/queries/fetchIndexedCoinActivities/fetchIndexedCoinActivities.ts","../src/queries/fetchIndexedTokenActivities/fetchIndexedTokenActivities.ts","../src/queries/fetchIndexedTokensPendingOfferClaims.ts","../src/queries/fetchIndexerProcessorAvailability/fetchIndexerProcessorAvailability.ts","../src/queries/fetchIsValidMetadata/fetchIsValidMetadata.ts","../src/queries/fetchNodeStatus/fetchNodeStatus.ts","../src/queries/fetchResources/fetchResources.ts","../src/queries/fetchTokenMetadata/fetchTokenMetadata.ts","../src/queries/fetchTransaction/fetchTransaction.ts","../src/queries/fetchWaitForTransaction/fetchWaitForTransaction.ts","../src/queries/getClients/getClients.ts","../src/queries/getCoinList/getCoinList.ts","../src/queries/fetchAccountTotalTokens/fetchAccountTotalTokens.ts","../src/queries/fetchTokenAcquiredDate/fetchTokenAcquiredDate.ts","../src/queries/fetchBalance/fetchBalance.ts","../src/queries/getExplorerUrl/getExplorerUrl.ts","../src/queries/fetchTokenDataWithAddress/fetchTokenDataWithAddress.ts","../src/client.ts","../src/operations/index.ts","../src/operations/generated/sdk.ts","../src/operations/generated/types.ts","../src/types/activity.ts","../src/types/tokens.ts","../src/types/serialization.ts","../src/types/event.ts","../src/types/staking.ts","../src/types/transactions.ts"],"sourcesContent":["// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nexport class SignerClientInvalidFunctionError extends Error {\n name = 'SignerClientInvalidFunctionError';\n\n message = 'Invalid function used for the signer client';\n}\n\nexport class SimulationArgumentError extends Error {\n name = 'SimulationArgumentError';\n\n message = 'Invalid arguments passed to simulation';\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { TxnBuilderTypes, Types } from 'aptos';\nimport { SignerClientInvalidFunctionError } from '../../errors';\nimport { AptosJSProClient } from '../../client';\n\nexport interface SignAndSubmitRawTransactionArgs {\n transaction: TxnBuilderTypes.RawTransaction;\n}\n\nexport interface SignAndSubmitRawTransactionResult {\n hash: Types.HexEncodedBytes;\n}\n\n/**\n * @description Signs and submits a raw transaction\n *\n * @warning\n * This is only available if the signer provides this function. Check the\n * `new AptosJSProClient(...)` instance to see if it is available.\n */\nexport async function signAndSubmitRawTransaction(\n this: AptosJSProClient,\n { transaction }: SignAndSubmitRawTransactionArgs,\n): Promise<SignAndSubmitRawTransactionResult> {\n const core = this;\n\n if (\n !('signTransaction' in core.signer) ||\n !('submitTransaction' in core.signer)\n ) {\n throw new SignerClientInvalidFunctionError();\n }\n\n const signedTxn = await core.signer.signTransaction(transaction);\n const userTxn = await this.submitTransaction({ signedTxn });\n\n return { hash: userTxn.hash };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosJSProClient } from '../../client';\nimport { SignerClientInvalidFunctionError } from '../../errors';\n\nexport interface SignBufferArgs {\n buffer: Uint8Array;\n}\n\n/**\n * @description Signs a buffer\n *\n * @warning\n * This is only available if the signer provides this function. Check the\n * `new AptosJSProClient(...)` instance to see if it is available.\n *\n */\nexport async function signBuffer(\n this: AptosJSProClient,\n { buffer }: SignBufferArgs,\n): Promise<Uint8Array> {\n const core = this;\n\n if (!('signBuffer' in core.signer)) {\n throw new SignerClientInvalidFunctionError();\n }\n\n return core.signer.signBuffer(buffer);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport {\n SignMessagePayload,\n SignMessageResponse,\n} from '@aptos-labs/wallet-adapter-core';\nimport { SignerClientInvalidFunctionError } from '../../errors';\nimport { AptosJSProClient } from '../../client';\n\nexport interface SignMessageArgs<T extends SignMessagePayload> {\n message: T;\n}\n\n/**\n * @description Signs a message\n *\n * @warning\n * This is only available if the signer provides this function. Check the\n * `new AptosJSProClient(...)` instance to see if it is available.\n *\n */\nexport async function signMessage<T extends SignMessagePayload>(\n this: AptosJSProClient,\n { message }: SignMessageArgs<T>,\n): Promise<SignMessageResponse> {\n const core = this;\n\n if (!('signMessage' in core.signer)) {\n throw new SignerClientInvalidFunctionError();\n }\n\n return core.signer.signMessage(message);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { TxnBuilderTypes } from 'aptos';\nimport { AptosJSProClient } from '../../client';\nimport { SignerClientInvalidFunctionError } from '../../errors';\n\nexport interface SignTransactionArgs {\n rawTxn: TxnBuilderTypes.RawTransaction;\n}\n\nexport type SignTransactionResult = TxnBuilderTypes.SignedTransaction;\n\n/**\n * @description Signs a transaction.\n *\n * @warning\n * This is only available if the signer provides this function. Check the\n * `new AptosJSProClient(...)` instance to see if it is available.\n *\n */\nexport async function signTransaction(\n this: AptosJSProClient,\n { rawTxn }: SignTransactionArgs,\n): Promise<SignTransactionResult> {\n const core = this;\n\n if (!('signTransaction' in core.signer)) {\n throw new SignerClientInvalidFunctionError();\n }\n\n return core.signer.signTransaction(rawTxn);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { HexString, TransactionBuilderEd25519, Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\nimport {\n emptySigningFunction,\n handleApiError,\n throwForVmError,\n} from '../../utils';\nimport { RawTransactionFactory } from '../../types';\n\nexport interface SimulateTransactionArgs {\n rawTxn: RawTransactionFactory;\n}\n\nexport async function simulateTransaction(\n this: AptosJSProClient,\n { rawTxn }: SimulateTransactionArgs,\n): Promise<Types.Transaction_UserTransaction> {\n const core = this;\n const { aptosClient } = this.getClients();\n\n const publicKey = HexString.ensure(core.account.publicKey).toUint8Array();\n\n const signedTxnBuilder = new TransactionBuilderEd25519(\n emptySigningFunction,\n publicKey,\n );\n\n const rawTransaction = typeof rawTxn === 'function' ? await rawTxn() : rawTxn;\n\n const signedTxn = signedTxnBuilder.sign(rawTransaction);\n try {\n const simulationFlags = {\n // Using value 0 as flag for automatic estimation\n estimateGasUnitPrice: rawTransaction.gas_unit_price === 0n,\n estimateMaxGasAmount: rawTransaction.max_gas_amount === 0n,\n estimatePrioritizedGasUnitPrice: false,\n } satisfies Parameters<typeof aptosClient.submitBCSSimulation>[1];\n\n const [txn] = await aptosClient.submitBCSSimulation(\n signedTxn,\n simulationFlags,\n );\n\n const userTxn = {\n ...txn,\n type: 'user_transaction',\n } as Types.Transaction_UserTransaction;\n\n throwForVmError(userTxn);\n return userTxn;\n } catch (err) {\n handleApiError(err);\n throw err;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { MaybeHexString, AptosClient, HexString } from 'aptos';\n\nexport const getSequenceNumber = async (\n address: MaybeHexString,\n aptosClient: AptosClient,\n) => {\n const account = await aptosClient.getAccount(address);\n return BigInt(account.sequence_number);\n};\n\nexport function normalizeAddress(address: string) {\n const noPrefix = new HexString(address).noPrefix();\n const paddedNoPrefix = noPrefix.padStart(64, '0');\n return `0x${paddedNoPrefix}`;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport {\n AptosClient,\n TxnBuilderTypes,\n Types,\n type MaybeHexString,\n} from 'aptos';\nimport { JsonPayload } from '../../types/serialization';\nimport { getServerTime } from '../server-time';\n\nexport interface TransactionOptions {\n expirationSecondsFromNow?: number;\n expirationTimestamp?: number;\n gasUnitPrice?: number;\n maxGasAmount?: number;\n sender?: string;\n sequenceNumber?: number | bigint;\n}\n\nexport const defaultExpirationSecondsFromNow = 90;\n\nconst { AccountAddress, ChainId, RawTransaction } = TxnBuilderTypes;\n\nexport async function encodeEntryFunctionPayload(\n aptosClient: AptosClient,\n payload: Types.EntryFunctionPayload,\n): Promise<TxnBuilderTypes.TransactionPayloadEntryFunction> {\n // The following values are not used to encode the payload, but are required to\n // produce a valid raw transaction. Since the transaction is discarded, we don't care\n // of putting valid values here. Note: providing a truthy value to `gas_unit_price`\n // and `sequence_number` prevents additional queries within the transaction builder\n const mockSenderAddress = '';\n const mockOptions = {\n gas_unit_price: '0',\n sequence_number: '0',\n };\n const encodedTxn = await aptosClient.generateTransaction(\n mockSenderAddress,\n payload,\n mockOptions,\n );\n return encodedTxn.payload as TxnBuilderTypes.TransactionPayloadEntryFunction;\n}\n\nexport async function encodePayload(\n aptosClient: AptosClient,\n payload: JsonPayload,\n): Promise<\n | TxnBuilderTypes.TransactionPayloadEntryFunction\n | TxnBuilderTypes.TransactionPayloadMultisig\n> {\n if (payload.type === 'multisig_payload') {\n const multisigAddress = TxnBuilderTypes.AccountAddress.fromHex(\n payload.multisig_address,\n );\n\n let multisigPayload: TxnBuilderTypes.MultiSigTransactionPayload | undefined;\n if (payload.transaction_payload !== undefined) {\n const wrappedPayload = await encodeEntryFunctionPayload(\n aptosClient,\n payload.transaction_payload,\n );\n multisigPayload = new TxnBuilderTypes.MultiSigTransactionPayload(\n wrappedPayload.value,\n );\n }\n\n const multisig = new TxnBuilderTypes.MultiSig(\n multisigAddress,\n multisigPayload,\n );\n return new TxnBuilderTypes.TransactionPayloadMultisig(multisig);\n }\n\n return encodeEntryFunctionPayload(aptosClient, payload);\n}\n\nexport function buildRawTransactionFromBCSPayload(\n senderAddress: MaybeHexString,\n sequenceNumber: number | bigint,\n chainId: number,\n payload: TxnBuilderTypes.TransactionPayload,\n options?: Omit<TransactionOptions, 'sender' | 'sequenceNumber'>,\n): TxnBuilderTypes.RawTransaction {\n let expirationTimestamp = options?.expirationTimestamp;\n if (!expirationTimestamp) {\n const expirationSecondsFromNow =\n options?.expirationSecondsFromNow ?? defaultExpirationSecondsFromNow;\n expirationTimestamp =\n Math.floor(getServerTime() / 1000) + expirationSecondsFromNow;\n }\n\n return new RawTransaction(\n AccountAddress.fromHex(senderAddress),\n BigInt(sequenceNumber),\n payload,\n // Note: using value 0 as flag for automatic estimation when submitting\n BigInt(options?.maxGasAmount ?? 0),\n BigInt(options?.gasUnitPrice ?? 0),\n BigInt(expirationTimestamp),\n new ChainId(Number(chainId)),\n );\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/* eslint @petra/no-client-date: \"off\" */\n\nimport axios from 'axios';\n\nconst isProduction = process.env.NODE_ENV === 'production';\nconst isDevelopment = process.env.NODE_ENV === 'development';\n\n// URL for an API that responds with the server-side value of Date.now().\nconst DATE_NOW_WORKER_URL = 'https://date-now.petra-wallet.workers.dev';\n\n// Maximum allowed delta between server and client time, in milliseconds.\nconst MAX_DELTA = 24 * 60 * 60 * 1000;\n\n// The difference between the server time and the client time, in milliseconds.\nlet serverTimeDelta: number | undefined;\n\nasync function getServerTimeDelta() {\n // The request cannot be cached (otherwise we would receive a stale timestamp).\n const requestTime = Date.now();\n const response = await axios.get(`${DATE_NOW_WORKER_URL}?${requestTime}`);\n const responseTime = Date.now();\n\n if (!/^\\d{13}$/.test(response.data)) {\n throw new Error('Server did not respond with a timestamp');\n }\n\n // Assume that the server generated its time halfway between request sent\n // and response received.\n const serverTime = Number(response.data);\n const clientTime = (requestTime + responseTime) / 2;\n const newDelta = serverTime - clientTime;\n\n if (Number.isNaN(newDelta)) {\n throw new Error('newDelta is NaN');\n } else if (Math.abs(newDelta) > MAX_DELTA) {\n throw new Error('MAX_DELTA exceeded');\n }\n\n return newDelta;\n}\n\n/**\n * Synchronize local time with server time.\n *\n * The server time delta required to compute the current server time\n * is stored as a module variable.\n */\nexport async function synchronizeTime() {\n try {\n serverTimeDelta = await getServerTimeDelta();\n } catch (error) {\n if (!isProduction) {\n throw error;\n }\n\n // eslint-disable-next-line no-console\n console.error('Time synchronization failed', error);\n }\n}\n\n/**\n * Returns the current server time in milliseconds.\n *\n * A previous call to {@link synchronizeTime} will ensure the time is\n * synchronized with the server.\n */\nexport function getServerTime() {\n if (isDevelopment && serverTimeDelta === undefined) {\n // eslint-disable-next-line no-console\n console.warn('Server time was accessed before synchronization');\n }\n return Date.now() + (serverTimeDelta ?? 0);\n}\n\n/**\n * Get a `Date` object for the current server time\n */\nexport function getServerDate() {\n return new Date(getServerTime());\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { ApiError, AptosClient, TxnBuilderTypes, Types } from 'aptos';\nimport {\n MoveStatusCode,\n MoveVmError,\n MoveVmStatus,\n parseMoveMiscError,\n parseMoveVmStatus,\n parseMoveVmError,\n} from '../move';\nimport { TransactionPayload } from '../../types';\nimport { encodePayload } from './build';\n\n/**\n * Handle vm errors returned in vm_status.\n * Should only happen for simulations\n * @param txn user transaction to check\n */\nexport function throwForVmError(txn: Types.UserTransaction) {\n const vmStatus = parseMoveVmStatus(txn.vm_status);\n\n if (vmStatus === MoveVmStatus.MiscellaneousError) {\n const statusCodeKey = parseMoveMiscError(txn.vm_status);\n throw new MoveVmError(statusCodeKey);\n }\n\n if (vmStatus === MoveVmStatus.OutOfGas) {\n throw new MoveVmError('OUT_OF_GAS');\n }\n\n if (vmStatus === MoveVmStatus.ExecutionFailure) {\n throw new MoveVmError();\n }\n}\n\n// Hasura returns ISO8601 UTC values without the Z suffix, which\n// Javascript parses as local time\nexport function normalizeTimestamp(timestamp: string) {\n return timestamp[-1] !== 'Z' ? `${timestamp}Z` : timestamp;\n}\n\n/**\n * Map an ApiError from the Aptos SDK into a catchable MoveVmError\n * @param err error to handle\n */\nexport function handleApiError(err: any) {\n if (err instanceof ApiError) {\n const { message } = JSON.parse(err.message);\n const statusCode =\n err.vmErrorCode !== undefined\n ? (Number(err.vmErrorCode) as MoveStatusCode)\n : undefined;\n const statusCodeKey = parseMoveVmError(message);\n throw new MoveVmError(statusCodeKey, statusCode);\n }\n}\n\nexport async function normalizePayload(\n payload: TransactionPayload,\n aptosClient: AptosClient,\n): Promise<\n | TxnBuilderTypes.TransactionPayloadEntryFunction\n | TxnBuilderTypes.TransactionPayload\n | TxnBuilderTypes.TransactionPayloadMultisig\n> {\n return payload instanceof TxnBuilderTypes.TransactionPayload\n ? payload\n : encodePayload(aptosClient, payload);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/* eslint-disable no-bitwise */\n\n// region Enumerations\n\n/**\n * The upper byte of an abort code identifies the category, which is shared across move modules\n * See https://github.com/aptos-labs/aptos-core/blob/main/aptos-move/framework/move-stdlib/sources/error.move\n */\nexport enum MoveAbortCategory {\n InvalidArgument = 0x1,\n OutOfRange,\n InvalidState,\n Unauthenticated,\n PermissionDenied,\n NotFound,\n Aborted,\n AlreadyExists,\n ResourceExhausted,\n Cancelled,\n Internal,\n NotImplemented,\n Unavailable,\n}\n\n/**\n * The lower two bytes of an abort code identify the module-specific abort reason\n */\ntype MoveAbortReason =\n | AccountErrorReason\n | CoinErrorReason\n | TransactionValidationErrorReason;\n\n// See https://github.com/aptos-labs/aptos-core/blob/main/aptos-move/framework/aptos-framework/sources/account.move\nexport enum AccountErrorReason {\n AccountAlreadyExists = 1,\n AccountDoesNotExist,\n SequenceNumberTooBig,\n MalformedAuthenticationKey,\n CannotReservedAddress,\n OutOfGas,\n WrongCurrentPublicKey,\n InvalidProofOfKnowledge,\n NoCapability,\n InvalidAcceptRotationCapability,\n NoValidFrameworkReservedAddress,\n}\n\n// See https://github.com/aptos-labs/aptos-core/blob/main/aptos-move/framework/aptos-framework/sources/coin.move\nexport enum CoinErrorReason {\n CoinInfoAddressMismatch = 1,\n CoinInfoAlreadyPublished,\n CoinInfoNotPublished,\n CoinStoreAlreadyPublished,\n CoinStoreNotPublished,\n InsufficientBalance,\n DestructionOfNonZeroToken,\n TotalSupplyOverflow,\n InvalidCoinAmount,\n Frozen,\n CoinSupplyUpgradeNotSupported,\n}\n\n// See https://github.com/aptos-labs/aptos-core/blob/main/aptos-move/framework/aptos-framework/sources/transaction_validation.move\nexport enum TransactionValidationErrorReason {\n OutOfGas = 6,\n InvalidAccountAuthKey = 1001,\n SequenceNumberTooOld,\n SequenceNumberTooNew,\n AccountDoesNotExist,\n CantPayGasDeposit,\n TransactionExpired,\n BadChainId,\n SequenceNumberTooBig,\n SecondaryKeysAddressesCountMismatch,\n}\n\n// endregion\n\n/**\n * Mapping to retrieve module-specific reasons from the location\n */\nconst moduleReasonsMap = {\n '0x1::account': AccountErrorReason,\n '0x1::coin': CoinErrorReason,\n '0x1::transaction_validation': TransactionValidationErrorReason,\n};\n\nexport type MoveAbortLocation = keyof typeof moduleReasonsMap;\n\n/**\n * Move abort message pattern is a little messy, hopefully we can standardize it in the future\n * See `explain_vm_status` at https://github.com/aptos-labs/aptos-core/blob/main/api/types/src/convert.rs\n */\nconst moveAbortPattern =\n /^Move abort(?: in (0x[\\da-f]+::\\S+):|: code) 0x([\\da-f]+)$/;\nconst moveAbortPatternWithDescr =\n /^Move abort in (0x[\\da-f]+::\\S+): ([^(]+)\\(0x([\\da-f]+)\\): (.*)/;\n\n/**\n * Parse raw abort details from the VM status of a transaction\n * @param vmStatus status of a transaction\n */\nfunction parseMoveAbortRawDetails(vmStatus: string) {\n let match: RegExpMatchArray | null;\n\n match = vmStatus.match(moveAbortPatternWithDescr);\n if (match) {\n const location = match[1] as MoveAbortLocation;\n const reasonName = match[2];\n const code = parseInt(match[3], 16);\n const reasonDescr = match[4];\n return {\n code,\n location,\n reasonDescr,\n reasonName,\n };\n }\n\n match = vmStatus.match(moveAbortPattern);\n if (match) {\n const location = match[1] as MoveAbortLocation | undefined;\n const code = parseInt(match[2], 16);\n return { code, location };\n }\n\n return undefined;\n}\n\nexport interface MoveAbortDetails {\n category: MoveAbortCategory;\n code: number;\n description?: string;\n location: string;\n reason: MoveAbortReason;\n}\n\n/**\n * Parse abort details from the VM status of a transaction\n * @param vmStatus status of a transaction\n */\nexport function parseMoveAbortDetails(vmStatus: string) {\n const details = parseMoveAbortRawDetails(vmStatus);\n if (!details) {\n return undefined;\n }\n\n const { code, location } = details;\n const category = ((code & 0xff0000) >> 16) as MoveAbortCategory;\n const reason = (code & 0xffff) as MoveAbortReason;\n let { reasonDescr: description } = details;\n const { reasonName } = details;\n\n // Retrieve user-friendly abort description if available\n if (!description && location !== undefined) {\n const categoryTxt = MoveAbortCategory[category];\n const moduleReasons = moduleReasonsMap[location];\n const reasonTxt =\n moduleReasons !== undefined ? moduleReasons[reason] : undefined;\n\n if (categoryTxt !== undefined && reasonTxt !== undefined) {\n description = `${categoryTxt}: ${reasonTxt}`;\n }\n }\n\n // Show details as fallback\n if (!description) {\n const codeHex = code.toString(16);\n const locationSuffix = location ? ` in ${location}` : undefined;\n const name = reasonName ? ` (${reasonName})` : undefined;\n description = `Move abort 0x${codeHex}${locationSuffix}${name}`;\n }\n\n return {\n category,\n code,\n description,\n location,\n reason,\n } as MoveAbortDetails;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/**\n * Move VM status codes that describe an error in the VM\n * @see https://github.com/move-language/move/blob/3f862abe908ab09710342f1b1cc79b8961ea8a1b/language/move-core/types/src/vm_status.rs#L418\n */\nexport enum MoveStatusCode {\n FUNCTION_RESOLUTION_FAILURE = 1091,\n GAS_UNIT_PRICE_ABOVE_MAX_BOUND = 16,\n GAS_UNIT_PRICE_BELOW_MIN_BOUND = 15,\n INSUFFICIENT_BALANCE_FOR_TRANSACTION_FEE = 5,\n MAX_GAS_UNITS_BELOW_MIN_TRANSACTION_GAS_UNITS = 14,\n MAX_GAS_UNITS_EXCEEDS_MAX_GAS_UNITS_BOUND = 13,\n OUT_OF_GAS = 4002,\n SEQUENCE_NUMBER_TOO_OLD = 3,\n}\n\nexport enum MoveStatusCodeText {\n FUNCTION_RESOLUTION_FAILURE = 'Function does not exist',\n GAS_UNIT_PRICE_ABOVE_MAX_BOUND = 'Gas unit price submitted with the transaction is above the maximum gas price set in the VM.',\n GAS_UNIT_PRICE_BELOW_MIN_BOUND = 'Gas unit price submitted with transaction is below minimum gas price set in the VM.',\n INSUFFICIENT_BALANCE_FOR_TRANSACTION_FEE = 'Insufficient balance to pay minimum transaction fee',\n MAX_GAS_UNITS_BELOW_MIN_TRANSACTION_GAS_UNITS = 'Max gas units submitted with transaction are not enough to cover the intrinsic cost of the transaction',\n MAX_GAS_UNITS_EXCEEDS_MAX_GAS_UNITS_BOUND = 'Max gas units submitted with transaction exceeds max gas units bound in VM',\n NUMBER_OF_TYPE_ARGUMENTS_MISMATCH = 'Execution failed with incorrect number of type arguments',\n OUT_OF_GAS = 'Out of gas',\n SEQUENCE_NUMBER_TOO_OLD = 'Sequence number is too old',\n}\n\n/**\n * Note: using key of status code as identifier, as simulations don't return a `vm_status_code`\n */\nexport type MoveStatusCodeKey = keyof typeof MoveStatusCode;\n\n/**\n * Move misc error message pattern returned as transaction VM status\n * @see `explain_vm_status` at https://github.com/aptos-labs/aptos-core/blob/main/api/types/src/convert.rs\n */\nconst miscErrorPattern = /^Transaction Executed and Committed with Error (.+)$/;\n\n/**\n * Move VM error pattern returned in an `AptosError`\n * @see {@link AptosError}\n * @see `create_internal` at https://github.com/aptos-labs/aptos-core/blob/main/api/src/transactions.rs\n */\nconst vmErrorPattern = /^Invalid transaction: Type: Validation Code: (.+)$/;\n\n/**\n * Indicates a VM error\n */\nexport class MoveVmError extends Error {\n constructor(\n readonly statusCodeKey?: MoveStatusCodeKey,\n readonly statusCode = statusCodeKey && MoveStatusCode[statusCodeKey],\n ) {\n super();\n this.name = 'MoveVmError';\n Object.setPrototypeOf(this, MoveVmError.prototype);\n this.message =\n statusCodeKey ??\n (statusCode && MoveStatusCode[statusCode]) ??\n 'Generic error';\n }\n}\n\n/**\n * Parse status code from the VM status of a transaction\n * @param vmStatus status of a transaction\n */\nexport function parseMoveMiscError(vmStatus: string) {\n const match = vmStatus.match(miscErrorPattern);\n return match !== null ? (match[1] as MoveStatusCodeKey) : undefined;\n}\n\n/**\n * Parse status code from an `AptosError`\n * @param errorMsg error message returned from the API\n */\nexport function parseMoveVmError(errorMsg: string) {\n const match = errorMsg.match(vmErrorPattern);\n return match !== null ? (match[1] as MoveStatusCodeKey) : undefined;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/**\n * @see `explain_vm_status` at https://github.com/aptos-labs/aptos-core/blob/main/api/types/src/convert.rs\n */\nexport enum MoveVmStatus {\n Success,\n OutOfGas,\n MoveAbort,\n ExecutionFailure,\n MiscellaneousError,\n}\n\nexport function parseMoveVmStatus(status: string) {\n if (status === 'Executed successfully') {\n return MoveVmStatus.Success;\n }\n if (status === 'Out of gas') {\n return MoveVmStatus.OutOfGas;\n }\n if (status.startsWith('Move abort')) {\n return MoveVmStatus.MoveAbort;\n }\n if (status.startsWith('Execution failed')) {\n return MoveVmStatus.ExecutionFailure;\n }\n return MoveVmStatus.MiscellaneousError;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { TxnBuilderTypes } from 'aptos';\n\nexport function emptySigningFunction(): TxnBuilderTypes.Ed25519Signature {\n const invalidSigBytes = new Uint8Array(64);\n return new TxnBuilderTypes.Ed25519Signature(invalidSigBytes);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport * from './build';\nexport * from './utils';\nexport * from './submit';\n\n// TODO: make this parameter configurable by the user\nconst defaultGasMultiplier = 2;\n\nexport function maxGasFeeFromEstimated(\n estimatedGasFee: number,\n multiplier = defaultGasMultiplier,\n) {\n return estimatedGasFee * multiplier;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport class AptosName {\n #name: string;\n\n constructor(name: string) {\n this.#name = name.toLowerCase().replace(/(\\.apt)+$/, '');\n }\n\n toString(): string {\n return `${this.#name}.apt`;\n }\n\n noSuffix(): string {\n return this.#name;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/* eslint-disable max-classes-per-file */\n\nimport { normalizeTimestamp } from '../transactions';\nimport { AptosName } from '../names';\nimport type {\n ActivityEvent,\n AptosIdentity,\n BaseEvent,\n GasEvent,\n MintTokenEvent,\n ReceiveCoinEventBase,\n ReceiveTokenEvent,\n ReceiveTokenOfferEvent,\n SendCoinEventBase,\n SendTokenEvent,\n SendTokenOfferEvent,\n StakeEventBase,\n SwapCoinEventBase,\n CoinInfoData,\n} from '../../types';\nimport { getServerTime } from '../server-time';\nimport { GetConsolidatedActivitiesQuery } from '../../operations';\n\n// TODO: Update these types when the schema is finalized.\nexport type IndexerPetraActivity = {\n account_address: string;\n delegated_staking_activities: IndexerStakeActivity[];\n fungible_asset_activities: IndexerCoinActivity[];\n token_activities: IndexerTokenActivity[];\n transaction_version: bigint;\n};\n\ntype IndexerCoinActivity =\n GetConsolidatedActivitiesQuery['account_transactions'][0]['fungible_asset_activities'][0];\n\ntype IndexerCoinActivityWithAmount = Omit<IndexerCoinActivity, 'amount'> & {\n amount: number;\n};\n\ntype IndexerTokenActivity =\n GetConsolidatedActivitiesQuery['account_transactions'][0]['token_activities'][0];\n\ntype IndexerStakeActivity = {\n amount: number;\n delegator_address: string;\n event_index: number;\n event_type: string;\n pool_address: string;\n transaction_version: number;\n};\n\nexport class GasNotFoundError extends Error {}\nexport class DepositWithdrawalMismatchError extends Error {}\n\nfunction aptosIdentityFromActivity(\n activity: IndexerCoinActivity,\n): AptosIdentity {\n return {\n address: activity.owner_address,\n name: activity.owner_aptos_names[0]?.domain\n ? new AptosName(activity.owner_aptos_names[0].domain)\n : undefined,\n };\n}\n\nfunction toAptosIdentityFromActivity(\n activity: IndexerTokenActivity,\n): AptosIdentity | undefined {\n if (!activity.to_address) {\n return undefined;\n }\n return {\n address: activity.to_address,\n name: activity.aptos_names_to[0]?.domain\n ? new AptosName(activity.aptos_names_to[0].domain)\n : undefined,\n };\n}\n\nfunction ownerAptosIdentityFromActivity(\n activity: IndexerTokenActivity,\n): AptosIdentity | undefined {\n if (!activity.from_address) {\n return undefined;\n }\n return {\n address: activity.from_address,\n name: activity.aptos_names_owner[0]?.domain\n ? new AptosName(activity.aptos_names_owner[0].domain)\n : undefined,\n };\n}\n\nfunction separateCoinDepositsWithdrawals(\n coinActivities: IndexerCoinActivity[],\n): [IndexerCoinActivityWithAmount[], IndexerCoinActivityWithAmount[]] {\n const deposits: IndexerCoinActivityWithAmount[] = [];\n const withdrawals: IndexerCoinActivityWithAmount[] = [];\n\n // Filter out zero amount activities which are 'freeze' events.\n // TODO: Add support for freeze events for fungible asset activities.\n const activities = coinActivities.filter(\n (ca) => !!ca.amount,\n ) as IndexerCoinActivityWithAmount[];\n\n for (const coinActivity of activities) {\n if (\n ['0x1::coin::DepositEvent', '0x1::fungible_asset::DepositEvent'].includes(\n coinActivity.type,\n )\n ) {\n deposits.push(coinActivity);\n } else if (\n [\n '0x1::coin::WithdrawEvent',\n '0x1::fungible_asset::WithdrawEvent',\n ].includes(coinActivity.type)\n ) {\n withdrawals.push(coinActivity);\n }\n }\n\n // TODO: Refactor to better handle multiple deposits/withdrawals matching.\n deposits.sort((a, b) => a.amount - b.amount);\n withdrawals.sort((a, b) => a.amount - b.amount);\n return [deposits, withdrawals];\n}\n\nfunction separateTokenDepositsWithdrawals(\n tokenActivities: IndexerTokenActivity[],\n) {\n const deposits = [];\n const withdrawals = [];\n\n for (const tokenActivity of tokenActivities) {\n if (tokenActivity.transfer_type === '0x3::token::DepositEvent') {\n deposits.push(tokenActivity);\n } else if (tokenActivity.transfer_type === '0x3::token::WithdrawEvent') {\n withdrawals.push(tokenActivity);\n }\n }\n\n return [deposits, withdrawals];\n}\n\nfunction isCoinSwap(petraActivity: IndexerPetraActivity) {\n const coinTypes = new Set(\n petraActivity.fungible_asset_activities.map((ca) => ca.asset_type),\n );\n\n // If there are 2 coin types for desposit and withdrawl\n // and the account is the owner of both, then it's a swap.\n if (coinTypes.size > 1) {\n const ownerActivities = petraActivity.fungible_asset_activities.filter(\n (ca) =>\n ca.owner_address === petraActivity.account_address &&\n ca.is_gas_fee === false &&\n ca.asset_type !== '0x1::string::String',\n );\n\n const depositAndWithdrawl =\n ownerActivities.filter((ca) => ca.type === '0x1::coin::WithdrawEvent')\n .length === 1 &&\n ownerActivities.filter((ca) => ca.type === '0x1::coin::DepositEvent')\n .length === 1;\n\n return (\n ownerActivities.length === 2 &&\n ownerActivities[0].asset_type !== ownerActivities[1].asset_type &&\n depositAndWithdrawl\n );\n }\n\n return false;\n}\n\nfunction processCoinInfo(\n activity: IndexerCoinActivity,\n): CoinInfoData | undefined {\n const { metadata } = activity;\n\n if (metadata) {\n return {\n decimals: metadata.decimals,\n name: metadata.name,\n symbol: metadata.symbol,\n type: metadata.asset_type,\n };\n }\n\n return undefined;\n}\n\nfunction processCoinSwap(petraActivity: IndexerPetraActivity) {\n const result = [];\n const [deposits, withdrawals] = separateCoinDepositsWithdrawals(\n petraActivity.fungible_asset_activities.filter(\n (ca) =>\n ca.owner_address === petraActivity.account_address &&\n // TODO: Consider filtering this out in the indexer\n ca.asset_type !== '0x1::string::String',\n ),\n );\n\n if (deposits.length !== withdrawals.length) {\n throw new DepositWithdrawalMismatchError(\n 'only one-for-one coin swaps are supported',\n );\n }\n\n for (let i = 0; i < deposits.length; i += 1) {\n const deposit = deposits[i];\n const withdrawal = withdrawals[i];\n const swapEvent: SwapCoinEventBase = {\n _type: 'swap',\n amount: BigInt(withdrawal.amount),\n coin: withdrawal.asset_type,\n coinInfo: processCoinInfo(withdrawal),\n swapAmount: BigInt(deposit.amount),\n swapCoin: deposit.asset_type,\n swapCoinInfo: processCoinInfo(deposit),\n };\n\n result.push(swapEvent);\n }\n\n return result;\n}\n\nfunction processCoinTransfer(petraActivity: IndexerPetraActivity) {\n const result = [];\n const [deposits, withdrawals] = separateCoinDepositsWithdrawals(\n petraActivity.fungible_asset_activities,\n );\n\n for (let i = 0; i < deposits.length; i += 1) {\n const deposit = deposits[i];\n\n // TODO: Refactor to better handle multiple deposits/withdrawals matching.\n // will need to handle multiple withdrawals for a single deposit and vice / versa\n const withdrawal = withdrawals.filter(\n (w) => w.asset_type === deposit.asset_type,\n )[0];\n\n if (withdrawal === undefined) {\n throw new DepositWithdrawalMismatchError(\n 'no matching withdrawal for deposit',\n );\n }\n\n if (withdrawal.owner_address === petraActivity.account_address) {\n const sendEvent: SendCoinEventBase = {\n _type: 'send',\n amount: BigInt(deposit.amount),\n coin: withdrawal.asset_type,\n coinInfo: processCoinInfo(withdrawal),\n receiver: aptosIdentityFromActivity(deposit),\n };\n result.push(sendEvent);\n } else if (deposit.owner_address === petraActivity.account_address) {\n const receiveEvent: ReceiveCoinEventBase = {\n _type: 'receive',\n amount: BigInt(deposit.amount),\n coin: deposit.asset_type,\n coinInfo: processCoinInfo(deposit),\n sender: aptosIdentityFromActivity(withdrawal),\n };\n result.push(receiveEvent);\n } else {\n // Skip unrelated fungible_asset_activities.\n }\n }\n\n return result;\n}\n\nfunction transformCoinActivities(petraActivity: IndexerPetraActivity) {\n const result: Array<Partial<ActivityEvent>> = [];\n\n if (isCoinSwap(petraActivity)) {\n result.push(...processCoinSwap(petraActivity));\n } else {\n result.push(...processCoinTransfer(petraActivity));\n }\n\n return result;\n}\n\nfunction processMintToken(petraActivity: IndexerPetraActivity) {\n const result: Array<Partial<ActivityEvent>> = [];\n\n for (const tokenActivity of petraActivity.token_activities) {\n if (tokenActivity.transfer_type === '0x3::token::MintTokenEvent') {\n result.push({\n _type: 'mint_token',\n amount: BigInt(tokenActivity.token_amount),\n collection: tokenActivity.collection_name,\n minter: ownerAptosIdentityFromActivity(tokenActivity),\n name: tokenActivity.name,\n uri: tokenActivity.current_token_data?.metadata_uri,\n } as Partial<MintTokenEvent>);\n }\n }\n\n return result;\n}\n\nfunction processIndirectTokenTransfer(petraActivity: IndexerPetraActivity) {\n const result: Array<Partial<ActivityEvent>> = [];\n\n for (const tokenActivity of petraActivity.token_activities) {\n if (\n tokenActivity.transfer_type === '0x3::token_transfers::TokenClaimEvent'\n ) {\n if (tokenActivity.to_address === petraActivity.account_address) {\n result.push({\n _type: 'receive_token',\n collection: tokenActivity.collection_name,\n name: tokenActivity.name,\n sender: ownerAptosIdentityFromActivity(tokenActivity),\n uri: tokenActivity.current_token_data?.metadata_uri,\n } as Partial<ReceiveTokenEvent>);\n } else if (tokenActivity.from_address === petraActivity.account_address) {\n result.push({\n _type: 'send_token',\n collection: tokenActivity.collection_name,\n name: tokenActivity.name,\n receiver: toAptosIdentityFromActivity(tokenActivity),\n uri: tokenActivity.current_token_data?.metadata_uri,\n } as Partial<SendTokenEvent>);\n }\n } else if (\n tokenActivity.transfer_type === '0x3::token_transfers::TokenOfferEvent'\n ) {\n if (tokenActivity.to_address === petraActivity.account_address) {\n result.push({\n _type: 'receive_token_offer',\n collection: tokenActivity.collection_name,\n name: tokenActivity.name,\n sender: ownerAptosIdentityFromActivity(tokenActivity),\n uri: tokenActivity.current_token_data?.metadata_uri,\n } as Partial<ReceiveTokenOfferEvent>);\n } else if (tokenActivity.from_address === petraActivity.account_address) {\n result.push({\n _type: 'send_token_offer',\n collection: tokenActivity.collection_name,\n name: tokenActivity.name,\n receiver: toAptosIdentityFromActivity(tokenActivity),\n uri: tokenActivity.current_token_data?.metadata_uri,\n } as Partial<SendTokenOfferEvent>);\n }\n }\n }\n\n return result;\n}\n\nfunction processTokenTransfer(petraActivity: IndexerPetraActivity) {\n const result = [];\n const [deposits, withdrawals] = separateTokenDepositsWithdrawals(\n petraActivity.token_activities,\n );\n\n // Not a transfer between 2 parties, but could be from a marketplace\n if (deposits.length !== withdrawals.length) {\n for (const deposit of deposits) {\n if (deposit.event_account_address === petraActivity.account_address) {\n result.push({\n _type: 'receive_token',\n collection: deposit.collection_name,\n name: deposit.name,\n sender: null,\n uri: deposit.current_token_data?.metadata_uri,\n } as Partial<ReceiveTokenEvent>);\n }\n }\n\n if (result.length) {\n return result;\n }\n\n throw new DepositWithdrawalMismatchError(\n 'deposits must have corresponding withdrawals',\n );\n }\n\n // Handling Direct Transfers\n for (let i = 0; i < deposits.length; i += 1) {\n const deposit = deposits[i];\n const withdrawal = withdrawals[i];\n\n if (deposit.token_data_id_hash !== withdrawal.token_data_id_hash) {\n throw new DepositWithdrawalMismatchError('token hashes do not match');\n }\n\n if (deposit.event_account_address === petraActivity.account_address) {\n result.push({\n _type: 'receive_token',\n collection: deposit.collection_name,\n name: deposit.name,\n sender: ownerAptosIdentityFromActivity(withdrawal),\n uri: deposit.current_token_data?.metadata_uri,\n } as Partial<ReceiveTokenEvent>);\n } else if (\n withdrawal.event_account_address === petraActivity.account_address\n ) {\n result.push({\n _type: 'send_token',\n collection: withdrawal.collection_name,\n name: withdrawal.name,\n receiver: toAptosIdentityFromActivity(deposit),\n uri: withdrawal.current_token_data?.metadata_uri,\n } as Partial<SendTokenEvent>);\n } else {\n // Skip unrelated token_activities.\n }\n }\n\n return result;\n}\n\nfunction transformTokenActivities(petraActivity: IndexerPetraActivity) {\n const result: Array<Partial<ActivityEvent>> = [];\n\n if (\n petraActivity.token_activities.some(\n (ta) =>\n ta.transfer_type === '0x3::token_transfers::TokenClaimEvent' ||\n ta.transfer_type === '0x3::token_transfers::TokenOfferEvent',\n )\n ) {\n result.push(...processIndirectTokenTransfer(petraActivity));\n } else if (\n petraActivity.token_activities.some(\n (ta) => ta.transfer_type === '0x3::token::MintTokenEvent',\n )\n ) {\n result.push(...processMintToken(petraActivity));\n } else {\n result.push(...processTokenTransfer(petraActivity));\n }\n\n return result;\n}\n\nfunction transformStakeActivities(petraActivity: IndexerPetraActivity) {\n const result: Array<Partial<ActivityEvent>> = [];\n\n type Total = number;\n type PoolAddress = string;\n const totalWithdrawn: Record<PoolAddress, Total> = {};\n\n petraActivity.delegated_staking_activities.forEach((ta) => {\n const type = ta.event_type;\n\n let eventType: StakeEventBase['_type'];\n switch (type) {\n case '0x1::delegation_pool::AddStakeEvent':\n eventType = 'add-stake';\n break;\n case '0x1::delegation_pool::UnlockStakeEvent':\n eventType = 'unstake';\n break;\n case '0x1::delegation_pool::WithdrawStakeEvent':\n eventType = 'withdraw-stake';\n break;\n default:\n return;\n }\n\n // Withdraw events are broken up into chunks, we want to combine them\n // into a single event for users.\n if (eventType === 'withdraw-stake') {\n totalWithdrawn[ta.pool_address] =\n (totalWithdrawn[ta.pool_address] || 0) + Number(ta.amount);\n return;\n }\n\n const event: StakeEventBase = {\n _type: eventType,\n amount: Number(ta.amount).toString(),\n pool: ta.pool_address,\n };\n result.push(event);\n });\n\n Object.keys(totalWithdrawn).forEach((poolAddress) => {\n const event: StakeEventBase = {\n _type: 'withdraw-stake',\n amount: totalWithdrawn[poolAddress].toString(),\n pool: poolAddress,\n };\n result.push(event);\n });\n\n return result;\n}\n\nexport function transformPetraActivity(\n petraActivity: IndexerPetraActivity,\n): ActivityEvent[] {\n const gasEvent = petraActivity.fungible_asset_activities.find(\n (item) => item.type === '0x1::aptos_coin::GasFeeEvent',\n );\n\n if (gasEvent === undefined) {\n throw new GasNotFoundError('this should never happen');\n }\n\n const coinActivities = transformCoinActivities(petraActivity);\n const tokenActivities = transformTokenActivities(petraActivity);\n const stakeActivities = transformStakeActivities(petraActivity);\n\n const hasStakeActivities = stakeActivities.length > 0;\n\n const result = [\n // Staking fires duplicate coin activities which we want to ignore.\n ...(hasStakeActivities ? [] : coinActivities),\n ...stakeActivities,\n ...tokenActivities,\n ];\n\n if (\n result.length === 0 &&\n gasEvent?.owner_address === petraActivity.account_address\n ) {\n // Emit a GasEvent when there were no other balance changes.\n result.push({\n _type: 'gas',\n } as Partial<GasEvent>);\n }\n\n const baseEvent: BaseEvent = {\n account: petraActivity.account_address,\n eventIndex: 0,\n gas: BigInt(gasEvent?.amount || 0),\n success: !!gasEvent?.is_transaction_success,\n timestamp: new Date(\n gasEvent\n ? normalizeTimestamp(gasEvent?.transaction_timestamp)\n : getServerTime(),\n ),\n version: BigInt(gasEvent?.transaction_version || 0),\n };\n\n for (let i = 0; i < result.length; i += 1) {\n baseEvent.eventIndex = i;\n Object.assign(result[i], baseEvent);\n }\n\n return result as ActivityEvent[];\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport * as Types from '../../types';\nimport { getServerDate } from '../server-time';\n\nconst DAY_MS = 86400000;\n\nexport type ActivityGroup = {\n events: Types.ActivityEvent[];\n name: 'today' | 'yesterday' | 'thisWeek' | 'month';\n start: Date;\n};\n\nexport function groupByTime(events: Types.ActivityEvent[]) {\n const groups: ActivityGroup[] = [];\n\n const startOfDay = getServerDate();\n startOfDay.setHours(0, 0, 0, 0);\n groups.push({\n events: [],\n name: 'today',\n start: startOfDay,\n });\n groups.push({\n events: [],\n name: 'yesterday',\n start: new Date(startOfDay.getTime() - DAY_MS),\n });\n\n const startOfWeek = new Date(\n startOfDay.getTime() - startOfDay.getDay() * DAY_MS,\n );\n groups.push({\n events: [],\n name: 'thisWeek',\n start: startOfWeek,\n });\n\n const result: ActivityGroup[] = [...groups];\n let group = groups.shift();\n for (const event of events) {\n while (group && event.timestamp < group.start) {\n group = groups.shift();\n }\n\n if (group == null) {\n const startOfMonth = new Date(event.timestamp.getTime());\n startOfMonth.setHours(0, 0, 0, 0);\n startOfMonth.setDate(1);\n group = {\n events: [],\n name: 'month',\n start: startOfMonth,\n };\n result.push(group);\n }\n\n group.events.push(event);\n }\n\n return result;\n}\n\nexport function groupPagesToSections(\n pages: { events: Types.ActivityEvent[] }[] | undefined,\n getGroupTitle: (group: ActivityGroup, i18n: any) => string,\n i18n: any,\n) {\n const events = pages?.flatMap((page) => page.events) ?? [];\n const activityGroups = groupByTime(events);\n\n return activityGroups\n .map((activityGroup) => ({\n data: activityGroup.events,\n title: getGroupTitle(activityGroup, i18n),\n }))\n .filter((section) => section.data.length > 0);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport function shareRequests<TParam extends string | number, TResult>(\n query: (param: TParam) => Promise<TResult>,\n) {\n const pendingRequests: { [key: string]: Promise<TResult> } = {};\n return async (param: TParam) => {\n if (param in pendingRequests) {\n return pendingRequests[param] as Promise<TResult>;\n }\n const pendingRequest = query(param);\n pendingRequests[param] = pendingRequest;\n const result = await pendingRequest;\n delete pendingRequests[param];\n return result;\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport const timestampToDate = (timestamp: string): Date => {\n const normalized = timestamp[-1] !== 'Z' ? `${timestamp}Z` : timestamp;\n return new Date(normalized);\n};\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { TokenData } from '../types';\n\nexport const emptyTokenData: TokenData = {\n collection: '',\n collectionData: undefined,\n collectionDataIdHash: '',\n creator: '',\n description: '',\n idHash: '',\n isFungibleV2: false,\n isSoulbound: false,\n metadataUri: '',\n name: '',\n tokenStandard: 'v2',\n};\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { sha256 } from '@noble/hashes/sha256';\nimport { TokenTypes } from 'aptos';\nimport {\n APTOS_NAMES_ENDPOINT,\n IPFS_BASE_URL,\n imageExtensions,\n ipfsProtocol,\n} from '../constants';\n\nconst badAptosNameUriPattern = /^https:\\/\\/aptosnames.com\\/name\\/([^/]+)$/;\nconst missingWwwAptosNameUriPattern =\n /^https:\\/\\/aptosnames.com\\/api(?:\\/[^/]+)?\\/v\\d+\\/metadata\\/([^/]+)/;\nconst aptosNftUriPattern = /^https:\\/\\/aptoslabs\\.com\\/nft_images\\//;\n\nfunction isIpfs(uri: string) {\n return uri.startsWith(ipfsProtocol);\n}\n\nexport function isImageUri(uri: string) {\n const ext = uri.split(/[#?]/)[0].split('.').pop()?.trim();\n return ext !== undefined && imageExtensions.includes(ext);\n}\n\nexport function isAptosNftImage(uri: string) {\n return uri.match(aptosNftUriPattern) !== null;\n}\n\nexport function fixIpfs(uri: string) {\n // Try to infer metadata type from the uri itself\n if (isIpfs(uri)) return uri.replace(ipfsProtocol, IPFS_BASE_URL);\n return uri;\n}\n\nexport function fixBadAptosUri(uri: string) {\n const match =\n uri.match(badAptosNameUriPattern) ??\n uri.match(missingWwwAptosNameUriPattern);\n return match ? `${APTOS_NAMES_ENDPOINT}/v1/metadata/${match[1]}` : uri;\n}\n\nexport const getTokenDataId = ({\n collection,\n creator,\n name,\n}: TokenTypes.TokenDataId): `${string}::${string}::${string}` =>\n `${creator}::${collection}::${name}`;\n\nexport async function getTokenDataIdHash(tokenDataId: TokenTypes.TokenDataId) {\n const encodedInput = new TextEncoder().encode(getTokenDataId(tokenDataId));\n const hashBuffer = crypto.subtle\n ? await crypto.subtle.digest('SHA-256', encodedInput)\n : sha256.create().update(encodedInput).digest();\n const hashArray = Array.from(new Uint8Array(hashBuffer));\n return hashArray.map((b) => b.toString(16).padStart(2, '0')).join('');\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport const coinStoreResource = 'CoinStore';\nexport const coinInfoResource = 'CoinInfo';\nexport const aptosAccountNamespace = '0x1::aptos_account';\nexport const aptosAccountCreateAccountViaTransferFunctionName = 'transfer';\nexport const aptosAccountCoinTransferFunctionName = 'transfer_coins';\nexport const aptosAccountCoinTransferFunction =\n `${aptosAccountNamespace}::${aptosAccountCoinTransferFunctionName}` as const;\nexport const coinNamespace = '0x1::coin';\nexport const makeCoinInfoStructTag = (coinType: string) =>\n `0x1::coin::CoinInfo<${coinType}>` as const;\nexport const aptosCoinStructTag = '0x1::aptos_coin::AptosCoin';\nexport const coinStoreStructTag =\n `${coinNamespace}::${coinStoreResource}` as const;\nexport const coinInfoStructTag =\n `${coinNamespace}::${coinInfoResource}` as const;\nexport const aptosCoinInfoStructTag =\n `${coinInfoStructTag}<${aptosCoinStructTag}>` as const;\nexport const aptosCoinStoreStructTag =\n `${coinStoreStructTag}<${aptosCoinStructTag}>` as const;\nexport const primaryFungibleStoreNamespace = '0x1::primary_fungible_store';\nexport const primaryFungibleStoreTransferFunctionName = 'transfer';\nexport const fungibleAssetMetadataStructTag = '0x1::fungible_asset::Metadata';\n// Token\nexport const tokenNamespace = '0x3::token';\nexport const tokenStoreStructTag = `${tokenNamespace}::TokenStore` as const;\nexport const tokenDepositStructTag = `${tokenNamespace}::DepositEvent` as const;\nexport const tokenWithdrawStructTag =\n `${tokenNamespace}::WithdrawEvent` as const;\n// Stake\nexport const stakeNamespace = '0x1::stake';\nexport const aptosStakePoolStructTag = `${stakeNamespace}::StakePool` as const;\nexport const aptosValidatorSetStructTag =\n `${stakeNamespace}::ValidatorSet` as const;\n// Delegation\nexport const aptosDelegationPoolStructTag =\n '0x1::delegation_pool::DelegationPool' as const;\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport const APTOS_NAMES_ENDPOINT = 'https://www.aptosnames.com/api';\nexport const COIN_GECKO_ENDPOINT = 'https://api.coingecko.com/api';\nexport const IPFS_BASE_URL = 'https://cloudflare-ipfs.com/ipfs/';\nexport const EXPLORER_BASE_PATH = 'https://explorer.aptoslabs.com';\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport const imageExtensions = ['png', 'jpg', 'jpeg', 'gif', 'webp'];\nexport const ipfsProtocol = 'ipfs://';\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport enum DefaultNetworks {\n Devnet = 'Devnet',\n Localhost = 'Localhost',\n Mainnet = 'Mainnet',\n Testnet = 'Testnet',\n}\n\nexport interface NetworkInfo {\n chainId?: number;\n faucetUrl?: string;\n indexerUrl?: string;\n name: string;\n nodeUrl: string;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { DefaultNetworks } from '../types/networks';\n\nexport const defaultNetworks = Object.freeze({\n [DefaultNetworks.Mainnet]: {\n buyEnabled: true,\n chainId: '1',\n faucetUrl: undefined,\n indexerUrl: 'https://indexer.mainnet.aptoslabs.com/v1/graphql',\n name: DefaultNetworks.Mainnet,\n nodeUrl: 'https://fullnode.mainnet.aptoslabs.com',\n },\n [DefaultNetworks.Testnet]: {\n chainId: '2',\n faucetUrl: 'https://faucet.testnet.aptoslabs.com',\n indexerUrl: 'https://indexer-testnet.staging.gcp.aptosdev.com/v1/graphql',\n name: DefaultNetworks.Testnet,\n nodeUrl: 'https://fullnode.testnet.aptoslabs.com',\n },\n [DefaultNetworks.Devnet]: {\n chainId: '65',\n faucetUrl: 'https://faucet.devnet.aptoslabs.com',\n indexerUrl: 'https://indexer-devnet.staging.gcp.aptosdev.com/v1/graphql',\n name: DefaultNetworks.Devnet,\n nodeUrl: 'https://fullnode.devnet.aptoslabs.com',\n },\n} as const);\n\nexport const explorerNetworkNamesMap: Record<string, string> = {\n [DefaultNetworks.Mainnet]: 'mainnet',\n [DefaultNetworks.Devnet]: 'devnet',\n [DefaultNetworks.Testnet]: 'testnet',\n [DefaultNetworks.Localhost]: 'local',\n};\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport const MAX_INDEXER_INT = BigInt('9223372036854775807');\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nexport enum QueryStaleTime {\n SHORT = 60000, // 1 minute\n LONG = 60000 * 5, // 5 minutes\n}\n\nexport enum QueryRefetchTime {\n STANDARD = 10000, // 10 seconds\n LONG = 30000, // 30 seconds\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/* eslint-disable sort-keys-fix/sort-keys-fix,sort-keys */\n// from @manahippo/coin-list\nimport { RawCoinInfo } from '@manahippo/coin-list';\n\nconst rawInfoMainnet: RawCoinInfo[] = [\n {\n coingecko_id: 'aptos',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'APT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/APT.webp',\n name: 'Aptos Coin',\n official_symbol: 'APT',\n pancake_symbol: 'APT',\n permissioned_listing: true,\n project_url: 'https://aptoslabs.com/',\n symbol: 'APT',\n source: 'native',\n token_type: {\n account_address: '0x1',\n module_name: 'aptos_coin',\n struct_name: 'AptosCoin',\n type: '0x1::aptos_coin::AptosCoin',\n },\n unique_index: 1,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'MEE',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/MEE.svg',\n name: 'Meeiro',\n official_symbol: 'MEE',\n pancake_symbol: 'MEE',\n permissioned_listing: true,\n project_url: 'https://meeiro.xyz',\n symbol: 'MEE',\n source: 'native',\n token_type: {\n account_address:\n '0xe9c192ff55cffab3963c695cff6dbf9dad6aff2bb5ac19a6415cad26a81860d9',\n module_name: 'mee_coin',\n struct_name: 'MeeCoin',\n type: '0xe9c192ff55cffab3963c695cff6dbf9dad6aff2bb5ac19a6415cad26a81860d9::mee_coin::MeeCoin',\n },\n unique_index: 101,\n },\n {\n coingecko_id: 'move-dollar',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'MOD',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/MOD.svg',\n name: 'Move Dollar',\n official_symbol: 'MOD',\n pancake_symbol: 'MOD',\n permissioned_listing: true,\n project_url: 'https://www.thala.fi/',\n symbol: 'MOD',\n source: 'native',\n token_type: {\n account_address:\n '0x6f986d146e4a90b828d8c12c14b6f4e003fdff11a8eecceceb63744363eaac01',\n module_name: 'mod_coin',\n struct_name: 'MOD',\n type: '0x6f986d146e4a90b828d8c12c14b6f4e003fdff11a8eecceceb63744363eaac01::mod_coin::MOD',\n },\n unique_index: 128,\n },\n {\n coingecko_id: 'thala',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'THL',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/THL.svg',\n name: 'Thala Token',\n official_symbol: 'THL',\n pancake_symbol: 'THL',\n permissioned_listing: true,\n project_url: 'https://www.thala.fi/',\n symbol: 'THL',\n source: 'native',\n token_type: {\n account_address:\n '0x7fd500c11216f0fe3095d0c4b8aa4d64a4e2e04f83758462f2b127255643615',\n module_name: 'thl_coin',\n struct_name: 'THL',\n type: '0x7fd500c11216f0fe3095d0c4b8aa4d64a4e2e04f83758462f2b127255643615::thl_coin::THL',\n },\n unique_index: 129,\n },\n {\n coingecko_id: 'mover-xyz',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'MOVER',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/MOVER.svg',\n name: 'Mover',\n official_symbol: 'MOVER',\n pancake_symbol: 'MOVER',\n permissioned_listing: true,\n project_url: 'https://mov3r.xyz/',\n symbol: 'MOVER',\n source: 'native',\n token_type: {\n account_address:\n '0x14b0ef0ec69f346bea3dfa0c5a8c3942fb05c08760059948f9f24c02cd0d4fd8',\n module_name: 'mover_token',\n struct_name: 'Mover',\n type: '0x14b0ef0ec69f346bea3dfa0c5a8c3942fb05c08760059948f9f24c02cd0d4fd8::mover_token::Mover',\n },\n unique_index: 131,\n },\n {\n coingecko_id: 'wtbt',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wwTBT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/WTBT.svg',\n name: 'wTBT Pool',\n official_symbol: 'wTBT',\n pancake_symbol: 'whwTBT',\n permissioned_listing: true,\n project_url: 'https://www.tprotocol.io/',\n symbol: 'wTBT',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xd916a950d4c1279df4aa0d6f32011842dc5c633a45c11ac5019232c159d115bb',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xd916a950d4c1279df4aa0d6f32011842dc5c633a45c11ac5019232c159d115bb::coin::T',\n },\n unique_index: 132,\n },\n {\n coingecko_id: 'ditto-staked-aptos',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'stAPT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DittoStakedAptos.svg',\n name: 'Ditto Staked Aptos',\n official_symbol: 'stAPT',\n pancake_symbol: 'stAPT',\n permissioned_listing: true,\n project_url: 'https://www.dittofinance.io/',\n symbol: 'stAPT',\n source: 'native',\n token_type: {\n account_address:\n '0xd11107bdf0d6d7040c6c0bfbdecb6545191fdf13e8d8d259952f53e1713f61b5',\n module_name: 'staked_coin',\n struct_name: 'StakedAptos',\n type: '0xd11107bdf0d6d7040c6c0bfbdecb6545191fdf13e8d8d259952f53e1713f61b5::staked_coin::StakedAptos',\n },\n unique_index: 156,\n },\n {\n coingecko_id: 'ditto-discount-token',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'DTO',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DTO.svg',\n name: 'Ditto Discount Token',\n official_symbol: 'DTO',\n pancake_symbol: 'DTO',\n permissioned_listing: true,\n project_url: 'https://www.dittofinance.io/',\n symbol: 'DTO',\n source: 'native',\n token_type: {\n account_address:\n '0xd11107bdf0d6d7040c6c0bfbdecb6545191fdf13e8d8d259952f53e1713f61b5',\n module_name: 'ditto_discount_coin',\n struct_name: 'DittoDiscountCoin',\n type: '0xd11107bdf0d6d7040c6c0bfbdecb6545191fdf13e8d8d259952f53e1713f61b5::ditto_discount_coin::DittoDiscountCoin',\n },\n unique_index: 191,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'APTOGE',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/APTOGE.svg',\n name: 'Aptoge',\n official_symbol: 'APTOGE',\n pancake_symbol: 'APTOGE',\n permissioned_listing: true,\n project_url: 'https://aptoge.com',\n symbol: 'APTOGE',\n source: 'native',\n token_type: {\n account_address:\n '0x5c738a5dfa343bee927c39ebe85b0ceb95fdb5ee5b323c95559614f5a77c47cf',\n module_name: 'Aptoge',\n struct_name: 'Aptoge',\n type: '0x5c738a5dfa343bee927c39ebe85b0ceb95fdb5ee5b323c95559614f5a77c47cf::Aptoge::Aptoge',\n },\n unique_index: 231,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'ETERN',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ETERN.svg',\n name: 'Eternal Token',\n official_symbol: 'ETERN',\n pancake_symbol: 'ETERN',\n permissioned_listing: true,\n project_url: 'https://eternalfinance.io',\n symbol: 'ETERN',\n source: 'native',\n token_type: {\n account_address:\n '0x25a64579760a4c64be0d692327786a6375ec80740152851490cfd0b53604cf95',\n module_name: 'coin',\n struct_name: 'ETERN',\n type: '0x25a64579760a4c64be0d692327786a6375ec80740152851490cfd0b53604cf95::coin::ETERN',\n },\n unique_index: 256,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'USDA',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDA.svg',\n name: 'Argo USD',\n official_symbol: 'USDA',\n pancake_symbol: 'USDA',\n permissioned_listing: true,\n project_url: 'https://argo.fi/',\n symbol: 'USDA',\n source: 'native',\n token_type: {\n account_address:\n '0x1000000fa32d122c18a6a31c009ce5e71674f22d06a581bb0a15575e6addadcc',\n module_name: 'usda',\n struct_name: 'USDA',\n type: '0x1000000fa32d122c18a6a31c009ce5e71674f22d06a581bb0a15575e6addadcc::usda::USDA',\n },\n unique_index: 351,\n },\n {\n coingecko_id: 'pancakeswap-token',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'CAKE',\n logo_url:\n 'https://raw.githubusercontent.com/pancakeswap/pancake-frontend/develop/apps/aptos/public/images/cake.svg',\n name: 'PancakeSwap Token',\n official_symbol: 'CAKE',\n pancake_symbol: 'CAKE',\n permissioned_listing: true,\n project_url: 'https://pancakeswap.finance/',\n symbol: 'CAKE',\n source: 'native',\n token_type: {\n account_address:\n '0x159df6b7689437016108a019fd5bef736bac692b6d4a1f10c941f6fbb9a74ca6',\n module_name: 'oft',\n struct_name: 'CakeOFT',\n type: '0x159df6b7689437016108a019fd5bef736bac692b6d4a1f10c941f6fbb9a74ca6::oft::CakeOFT',\n },\n unique_index: 397,\n },\n {\n coingecko_id: 'doglaikacoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'DLC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DLC.svg',\n name: 'Doglaika Coin',\n official_symbol: 'DLC',\n pancake_symbol: 'DLC',\n permissioned_listing: true,\n project_url: 'http://linktr.ee/doglaikacoin',\n symbol: 'DLC',\n source: 'native',\n token_type: {\n account_address:\n '0x84edd115c901709ef28f3cb66a82264ba91bfd24789500b6fd34ab9e8888e272',\n module_name: 'coin',\n struct_name: 'DLC',\n type: '0x84edd115c901709ef28f3cb66a82264ba91bfd24789500b6fd34ab9e8888e272::coin::DLC',\n },\n unique_index: 591,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'ANI',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ANI.png',\n name: 'AnimeSwap Coin',\n official_symbol: 'ANI',\n pancake_symbol: 'ANI',\n permissioned_listing: true,\n project_url: 'http://animeswap.org/',\n symbol: 'ANI',\n source: 'native',\n token_type: {\n account_address:\n '0x16fe2df00ea7dde4a63409201f7f4e536bde7bb7335526a35d05111e68aa322c',\n module_name: 'AnimeCoin',\n struct_name: 'ANI',\n type: '0x16fe2df00ea7dde4a63409201f7f4e536bde7bb7335526a35d05111e68aa322c::AnimeCoin::ANI',\n },\n unique_index: 712,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'ABEL',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ABEL.svg',\n name: 'Abel Coin',\n official_symbol: 'ABEL',\n pancake_symbol: 'ABEL',\n permissioned_listing: true,\n project_url: 'https://www.abelfinance.xyz/',\n symbol: 'ABEL',\n source: 'native',\n token_type: {\n account_address:\n '0x7c0322595a73b3fc53bb166f5783470afeb1ed9f46d1176db62139991505dc61',\n module_name: 'abel_coin',\n struct_name: 'AbelCoin',\n type: '0x7c0322595a73b3fc53bb166f5783470afeb1ed9f46d1176db62139991505dc61::abel_coin::AbelCoin',\n },\n unique_index: 790,\n },\n {\n coingecko_id: 'gari-network',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wGARI',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/GARI.svg',\n name: 'Gari',\n official_symbol: 'GARI',\n pancake_symbol: 'whGARI',\n permissioned_listing: true,\n project_url: 'https://gari.network',\n symbol: 'GARI',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x4def3d3dee27308886f0a3611dd161ce34f977a9a5de4e80b237225923492a2a',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x4def3d3dee27308886f0a3611dd161ce34f977a9a5de4e80b237225923492a2a::coin::T',\n },\n unique_index: 800,\n },\n {\n coingecko_id: 'bluemove',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'MOVE',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/MOVE.svg',\n name: 'BlueMove',\n official_symbol: 'MOVE',\n pancake_symbol: 'MOVE',\n permissioned_listing: true,\n project_url: 'https://bluemove.net/',\n symbol: 'MOVE',\n source: 'native',\n token_type: {\n account_address:\n '0x27fafcc4e39daac97556af8a803dbb52bcb03f0821898dc845ac54225b9793eb',\n module_name: 'move_coin',\n struct_name: 'MoveCoin',\n type: '0x27fafcc4e39daac97556af8a803dbb52bcb03f0821898dc845ac54225b9793eb::move_coin::MoveCoin',\n },\n unique_index: 912,\n },\n {\n coingecko_id: 'aptos-launch-token',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'ALT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/Aptoslaunchlogob.svg',\n name: 'AptosLaunch Token',\n official_symbol: 'ALT',\n pancake_symbol: 'ALT',\n permissioned_listing: true,\n project_url: 'https://aptoslaunch.io',\n symbol: 'ALT',\n source: 'native',\n token_type: {\n account_address:\n '0xd0b4efb4be7c3508d9a26a9b5405cf9f860d0b9e5fe2f498b90e68b8d2cedd3e',\n module_name: 'aptos_launch_token',\n struct_name: 'AptosLaunchToken',\n type: '0xd0b4efb4be7c3508d9a26a9b5405cf9f860d0b9e5fe2f498b90e68b8d2cedd3e::aptos_launch_token::AptosLaunchToken',\n },\n unique_index: 928,\n },\n {\n coingecko_id: 'tortuga-staked-aptos',\n decimals: 8,\n extensions: {\n data: [['bridge', 'native']],\n },\n hippo_symbol: 'tAPT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/TortugaStakedAptos.png',\n name: 'Tortuga Staked Aptos',\n official_symbol: 'tAPT',\n pancake_symbol: 'tAPT',\n permissioned_listing: true,\n project_url: 'https://tortuga.finance/',\n symbol: 'tAPT',\n source: 'native',\n token_type: {\n account_address:\n '0x84d7aeef42d38a5ffc3ccef853e1b82e4958659d16a7de736a29c55fbbeb0114',\n module_name: 'staked_aptos_coin',\n struct_name: 'StakedAptosCoin',\n type: '0x84d7aeef42d38a5ffc3ccef853e1b82e4958659d16a7de736a29c55fbbeb0114::staked_aptos_coin::StakedAptosCoin',\n },\n unique_index: 952,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wUSDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Wormhole)',\n official_symbol: 'USDC',\n pancake_symbol: 'whUSDC',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDC',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x5e156f1207d0ebfa19a9eeff00d62a282278fb8719f4fab3a586a0a2c0fffbea',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x5e156f1207d0ebfa19a9eeff00d62a282278fb8719f4fab3a586a0a2c0fffbea::coin::T',\n },\n unique_index: 2001,\n },\n {\n coingecko_id: 'tether',\n decimals: 6,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wUSDT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDT.svg',\n name: 'Tether USD (Wormhole)',\n official_symbol: 'USDT',\n pancake_symbol: 'whUSDT',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDT',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xa2eda21a58856fda86451436513b867c97eecb4ba099da5775520e0f7492e852',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xa2eda21a58856fda86451436513b867c97eecb4ba099da5775520e0f7492e852::coin::T',\n },\n unique_index: 2002,\n },\n {\n coingecko_id: 'wrapped-bitcoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wWBTC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BTC.webp',\n name: 'Wrapped BTC (Wormhole)',\n official_symbol: 'WBTC',\n pancake_symbol: 'whWBTC',\n permissioned_listing: true,\n project_url: '',\n symbol: 'WBTC',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xae478ff7d83ed072dbc5e264250e67ef58f57c99d89b447efd8a0a2e8b2be76e',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xae478ff7d83ed072dbc5e264250e67ef58f57c99d89b447efd8a0a2e8b2be76e::coin::T',\n },\n unique_index: 2003,\n },\n {\n coingecko_id: 'weth',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wWETH',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/WETH.svg',\n name: 'Wrapped Ether (Wormhole)',\n official_symbol: 'WETH',\n pancake_symbol: 'whWETH',\n permissioned_listing: true,\n project_url: '',\n symbol: 'WETH',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xcc8a89c8dce9693d354449f1f73e60e14e347417854f029db5bc8e7454008abb',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xcc8a89c8dce9693d354449f1f73e60e14e347417854f029db5bc8e7454008abb::coin::T',\n },\n unique_index: 2004,\n },\n {\n coingecko_id: 'dai',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wDAI',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DAI.webp',\n name: 'Dai Stablecoin (Wormhole)',\n official_symbol: 'DAI',\n pancake_symbol: 'whDAI',\n permissioned_listing: true,\n project_url: '',\n symbol: 'DAI',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x407a220699982ebb514568d007938d2447d33667e4418372ffec1ddb24491b6c',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x407a220699982ebb514568d007938d2447d33667e4418372ffec1ddb24491b6c::coin::T',\n },\n unique_index: 2005,\n },\n {\n coingecko_id: 'binance-usd',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wBUSD',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BUSD.webp',\n name: 'BUSD Token (Wormhole)',\n official_symbol: 'BUSD',\n pancake_symbol: 'whBUSD',\n permissioned_listing: true,\n project_url: '',\n symbol: 'BUSD',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xccc9620d38c4f3991fa68a03ad98ef3735f18d04717cb75d7a1300dd8a7eed75',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xccc9620d38c4f3991fa68a03ad98ef3735f18d04717cb75d7a1300dd8a7eed75::coin::T',\n },\n unique_index: 2006,\n },\n {\n coingecko_id: 'binancecoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wWBNB',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BNB.webp',\n name: 'Wrapped BNB (Wormhole)',\n official_symbol: 'WBNB',\n pancake_symbol: 'whWBNB',\n permissioned_listing: true,\n project_url: '',\n symbol: 'WBNB',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x6312bc0a484bc4e37013befc9949df2d7c8a78e01c6fe14a34018449d136ba86',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x6312bc0a484bc4e37013befc9949df2d7c8a78e01c6fe14a34018449d136ba86::coin::T',\n },\n unique_index: 2009,\n },\n {\n coingecko_id: 'solana',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole-solana']],\n },\n hippo_symbol: 'wSOL',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/SOL.webp',\n name: 'SOL (Wormhole)',\n official_symbol: 'SOL',\n pancake_symbol: 'whSOL',\n permissioned_listing: true,\n project_url: '',\n symbol: 'SOL',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xdd89c0e695df0692205912fb69fc290418bed0dbe6e4573d744a6d5e6bab6c13',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xdd89c0e695df0692205912fb69fc290418bed0dbe6e4573d744a6d5e6bab6c13::coin::T',\n },\n unique_index: 2011,\n },\n {\n coingecko_id: 'tether',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole-bsc']],\n },\n hippo_symbol: 'USDTbs',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDT.svg',\n name: 'Tether USD',\n official_symbol: 'USDT',\n pancake_symbol: 'USDTbs',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDTbs',\n source: 'wormhole-bsc',\n token_type: {\n account_address:\n '0xacd014e8bdf395fa8497b6d585b164547a9d45269377bdf67c96c541b7fec9ed',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xacd014e8bdf395fa8497b6d585b164547a9d45269377bdf67c96c541b7fec9ed::coin::T',\n },\n unique_index: 2050,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [['bridge', 'wormhole-solana']],\n },\n hippo_symbol: 'USDCso',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Wormhole Solana)',\n official_symbol: 'USDC',\n pancake_symbol: 'USDCso',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDCso',\n source: 'wormhole-solana',\n token_type: {\n account_address:\n '0xc91d826e29a3183eb3b6f6aa3a722089fdffb8e9642b94c5fcd4c48d035c0080',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xc91d826e29a3183eb3b6f6aa3a722089fdffb8e9642b94c5fcd4c48d035c0080::coin::T',\n },\n unique_index: 2113,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'wormhole-polygon']],\n },\n hippo_symbol: 'USDCpo',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Wormhole Polygon)',\n official_symbol: 'USDC',\n pancake_symbol: 'USDCpo',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDCpo',\n source: 'wormhole-polygon',\n token_type: {\n account_address:\n '0xc7160b1c2415d19a88add188ec726e62aab0045f0aed798106a2ef2994a9101e',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xc7160b1c2415d19a88add188ec726e62aab0045f0aed798106a2ef2994a9101e::coin::T',\n },\n unique_index: 2171,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole-bsc']],\n },\n hippo_symbol: 'USDCbs',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Wormhole, BSC)',\n official_symbol: 'USDC',\n pancake_symbol: 'USDCbs',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDCbs',\n source: 'wormhole-bsc',\n token_type: {\n account_address:\n '0x79a6ed7a0607fdad2d18d67d1a0e552d4b09ebce5951f1e5c851732c02437595',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x79a6ed7a0607fdad2d18d67d1a0e552d4b09ebce5951f1e5c851732c02437595::coin::T',\n },\n unique_index: 2202,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'wormhole-avalanche']],\n },\n hippo_symbol: 'USDCav',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Wormhole Avalanche)',\n official_symbol: 'USDC',\n pancake_symbol: 'USDCav',\n permissioned_listing: true,\n project_url: '',\n symbol: 'USDCav',\n source: 'wormhole-avalanche',\n token_type: {\n account_address:\n '0x39d84c2af3b0c9895b45d4da098049e382c451ba63bec0ce0396ff7af4bb5dff',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x39d84c2af3b0c9895b45d4da098049e382c451ba63bec0ce0396ff7af4bb5dff::coin::T',\n },\n unique_index: 2304,\n },\n {\n coingecko_id: 'avalanche-2',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wWAVAX',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/AVAX.webp',\n name: 'Wrapped AVAX (Wormhole)',\n official_symbol: 'WAVAX',\n pancake_symbol: 'whWAVAX',\n permissioned_listing: true,\n project_url: '',\n symbol: 'WAVAX',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x5b1bbc25524d41b17a95dac402cf2f584f56400bf5cc06b53c36b331b1ec6e8f',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x5b1bbc25524d41b17a95dac402cf2f584f56400bf5cc06b53c36b331b1ec6e8f::coin::T',\n },\n unique_index: 2332,\n },\n {\n coingecko_id: 'sweatcoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wSWEAT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/SWEAT.webp',\n name: 'SWEAT',\n official_symbol: 'SWEAT',\n pancake_symbol: 'whSWEAT',\n permissioned_listing: true,\n project_url: '',\n symbol: 'SWEAT',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x9aa4c03344444b53f4d9b1bca229ed2ac47504e3ea6cd0683ebdc0c5ecefd693',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x9aa4c03344444b53f4d9b1bca229ed2ac47504e3ea6cd0683ebdc0c5ecefd693::coin::T',\n },\n unique_index: 2409,\n },\n {\n coingecko_id: 'near',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wNEAR',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/NEAR.webp',\n name: 'NEAR (Wormhole)',\n official_symbol: 'NEAR',\n pancake_symbol: 'whNEAR',\n permissioned_listing: true,\n project_url: '',\n symbol: 'NEAR',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x394205c024d8e932832deef4cbfc7d3bb17ff2e9dc184fa9609405c2836b94aa',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x394205c024d8e932832deef4cbfc7d3bb17ff2e9dc184fa9609405c2836b94aa::coin::T',\n },\n unique_index: 2492,\n },\n {\n coingecko_id: 'nexum',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wNEXM',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/NEXM.webp',\n name: 'Nexum Coin',\n official_symbol: 'NEXM',\n pancake_symbol: 'whNEXM',\n permissioned_listing: true,\n project_url: '',\n symbol: 'NEXM',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x1f9dca8eb42832b9ea07a804d745ef08833051e0c75c45b82665ef6f6e7fac32',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x1f9dca8eb42832b9ea07a804d745ef08833051e0c75c45b82665ef6f6e7fac32::coin::T',\n },\n unique_index: 2527,\n },\n {\n coingecko_id: 'sushi',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wSUSHI',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/SUSHI.webp',\n name: 'SushiToken (Wormhole)',\n official_symbol: 'SUSHI',\n pancake_symbol: 'whSUSHI',\n permissioned_listing: true,\n project_url: '',\n symbol: 'SUSHI',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x2305dd96edd8debb5a2049be54379c74e61b37ceb54a49bd7dee4726d2a6b689',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x2305dd96edd8debb5a2049be54379c74e61b37ceb54a49bd7dee4726d2a6b689::coin::T',\n },\n unique_index: 2700,\n },\n {\n coingecko_id: 'celo',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wCELO',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/CELO.webp',\n name: 'Celo (Wormhole)',\n official_symbol: 'CELO',\n pancake_symbol: 'whCELO',\n permissioned_listing: true,\n project_url: '',\n symbol: 'CELO',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xac0c3c35d50f6ef00e3b4db6998732fe9ed6331384925fe8ec95fcd7745a9112',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xac0c3c35d50f6ef00e3b4db6998732fe9ed6331384925fe8ec95fcd7745a9112::coin::T',\n },\n unique_index: 2801,\n },\n {\n coingecko_id: 'ftx-token',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wFTT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/FTXToken.webp',\n name: 'FTX Token',\n official_symbol: 'FTT',\n pancake_symbol: 'whFTT',\n permissioned_listing: true,\n project_url: '',\n symbol: 'FTT',\n source: 'wormhole',\n token_type: {\n account_address:\n '0x419d16ebaeda8dc374b1178a61d24fb699799d55a3f475f427998769c537b51b',\n module_name: 'coin',\n struct_name: 'T',\n type: '0x419d16ebaeda8dc374b1178a61d24fb699799d55a3f475f427998769c537b51b::coin::T',\n },\n unique_index: 2971,\n },\n {\n coingecko_id: 'chain-2',\n decimals: 8,\n extensions: {\n data: [['bridge', 'wormhole']],\n },\n hippo_symbol: 'wXCN',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/XCN.webp',\n name: 'Chain',\n official_symbol: 'XCN',\n pancake_symbol: 'whXCN',\n permissioned_listing: true,\n project_url: '',\n symbol: 'XCN',\n source: 'wormhole',\n token_type: {\n account_address:\n '0xcefd39b563951a9ec2670aa57086f9adb3493671368ea60ff99e0bc98f697bb5',\n module_name: 'coin',\n struct_name: 'T',\n type: '0xcefd39b563951a9ec2670aa57086f9adb3493671368ea60ff99e0bc98f697bb5::coin::T',\n },\n unique_index: 2991,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'layerzero']],\n },\n hippo_symbol: 'zUSDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (LayerZero)',\n official_symbol: 'USDC',\n pancake_symbol: 'lzUSDC',\n permissioned_listing: true,\n project_url: '',\n symbol: 'zUSDC',\n source: 'layerzero',\n token_type: {\n account_address:\n '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa',\n module_name: 'asset',\n struct_name: 'USDC',\n type: '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa::asset::USDC',\n },\n unique_index: 3001,\n },\n {\n coingecko_id: 'tether',\n decimals: 6,\n extensions: {\n data: [['bridge', 'layerzero']],\n },\n hippo_symbol: 'zUSDT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDT.svg',\n name: 'USD Tether (LayerZero)',\n official_symbol: 'USDT',\n pancake_symbol: 'lzUSDT',\n permissioned_listing: true,\n project_url: '',\n symbol: 'zUSDT',\n source: 'layerzero',\n token_type: {\n account_address:\n '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa',\n module_name: 'asset',\n struct_name: 'USDT',\n type: '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa::asset::USDT',\n },\n unique_index: 3002,\n },\n {\n coingecko_id: 'weth',\n decimals: 6,\n extensions: {\n data: [['bridge', 'layerzero']],\n },\n hippo_symbol: 'zWETH',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/WETH.svg',\n name: 'Wrapped Ether (LayerZero)',\n official_symbol: 'WETH',\n pancake_symbol: 'lzWETH',\n permissioned_listing: true,\n project_url: '',\n symbol: 'zWETH',\n source: 'layerzero',\n token_type: {\n account_address:\n '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa',\n module_name: 'asset',\n struct_name: 'WETH',\n type: '0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa::asset::WETH',\n },\n unique_index: 3004,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceUSDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Celer)',\n official_symbol: 'USDC',\n pancake_symbol: 'ceUSDC',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceUSDC',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'UsdcCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::UsdcCoin',\n },\n unique_index: 4001,\n },\n {\n coingecko_id: 'tether',\n decimals: 6,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceUSDT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDT.svg',\n name: 'Tether USD (Celer)',\n official_symbol: 'USDT',\n pancake_symbol: 'ceUSDT',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceUSDT',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'UsdtCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::UsdtCoin',\n },\n unique_index: 4002,\n },\n {\n coingecko_id: 'wrapped-bitcoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceWBTC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/WBTC.svg',\n name: 'Wrapped BTC (Celer)',\n official_symbol: 'WBTC',\n pancake_symbol: 'ceWBTC',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceWBTC',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'WbtcCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::WbtcCoin',\n },\n unique_index: 4003,\n },\n {\n coingecko_id: 'ethereum',\n decimals: 8,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceWETH',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/WETH.svg',\n name: 'Wrapped Ether (Celer)',\n official_symbol: 'WETH',\n pancake_symbol: 'ceWETH',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceWETH',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'WethCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::WethCoin',\n },\n unique_index: 4004,\n },\n {\n coingecko_id: 'dai',\n decimals: 8,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceDAI',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DAI.svg',\n name: 'Dai Stablecoin (Celer)',\n official_symbol: 'DAI',\n pancake_symbol: 'ceDAI',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceDAI',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'DaiCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::DaiCoin',\n },\n unique_index: 4005,\n },\n {\n coingecko_id: 'binancecoin',\n decimals: 8,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceBNB',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BNB.svg',\n name: 'Binance Coin (Celer)',\n official_symbol: 'BNB',\n pancake_symbol: 'ceBNB',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceBNB',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'BnbCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::BnbCoin',\n },\n unique_index: 4113,\n },\n {\n coingecko_id: 'binance-usd',\n decimals: 8,\n extensions: {\n data: [['bridge', 'celer']],\n },\n hippo_symbol: 'ceBUSD',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BUSD.svg',\n name: 'Binance USD (Celer)',\n official_symbol: 'BUSD',\n pancake_symbol: 'ceBUSD',\n permissioned_listing: true,\n project_url: 'https://celer.network',\n symbol: 'ceBUSD',\n source: 'celer',\n token_type: {\n account_address:\n '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d',\n module_name: 'celer_coin_manager',\n struct_name: 'BusdCoin',\n type: '0x8d87a65ba30e09357fa2edea2c80dbac296e5dec2b18287113500b902942929d::celer_coin_manager::BusdCoin',\n },\n unique_index: 4119,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 6,\n extensions: {\n data: [['bridge', 'multichain']],\n },\n hippo_symbol: 'multiUSDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.svg',\n name: 'USD Coin (Multichain)',\n official_symbol: 'USDC',\n pancake_symbol: 'multiUSDC',\n permissioned_listing: true,\n project_url: 'https://multichain.org/',\n symbol: 'multiUSDC',\n source: 'multichain',\n token_type: {\n account_address:\n '0xd6d6372c8bde72a7ab825c00b9edd35e643fb94a61c55d9d94a9db3010098548',\n module_name: 'USDC',\n struct_name: 'Coin',\n type: '0xd6d6372c8bde72a7ab825c00b9edd35e643fb94a61c55d9d94a9db3010098548::USDC::Coin',\n },\n unique_index: 5001,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [],\n },\n hippo_symbol: 'XBTC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/XBTC.svg',\n name: 'XBTC',\n official_symbol: 'XBTC',\n pancake_symbol: 'XBTC',\n permissioned_listing: true,\n project_url: 'https://github.com/OmniBTC/OmniBridge',\n symbol: 'XBTC',\n source: 'omnibridge',\n token_type: {\n account_address:\n '0x3b0a7c06837e8fbcce41af0e629fdc1f087b06c06ff9e86f81910995288fd7fb',\n module_name: 'xbtc',\n struct_name: 'XBTC',\n type: '0x3b0a7c06837e8fbcce41af0e629fdc1f087b06c06ff9e86f81910995288fd7fb::xbtc::XBTC',\n },\n unique_index: 5003,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [\n ['lp', 'aries'],\n ['bridge', 'native'],\n ],\n },\n hippo_symbol: 'ar-APT',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ar-APT.svg',\n name: 'Aries Aptos Coin LP Token',\n official_symbol: 'aAPT',\n pancake_symbol: 'ar-APT',\n permissioned_listing: true,\n project_url: 'https://ariesmarkets.xyz/',\n symbol: 'ar-APT',\n source: 'native',\n token_type: {\n account_address:\n '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3',\n module_name: 'reserve',\n struct_name: 'LP<0x1::aptos_coin::AptosCoin>',\n type: '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3::reserve::LP<0x1::aptos_coin::AptosCoin>',\n },\n unique_index: 15338,\n },\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [\n ['lp', 'aries'],\n ['bridge', 'native'],\n ],\n },\n hippo_symbol: 'ar-SOL',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ar-SOL.svg',\n name: 'Aries Solana (Wormhole) LP Token',\n official_symbol: 'aSOL',\n pancake_symbol: 'ar-SOL',\n permissioned_listing: true,\n project_url: 'https://ariesmarkets.xyz/',\n symbol: 'ar-SOL',\n source: 'native',\n token_type: {\n account_address:\n '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3',\n module_name: 'reserve',\n struct_name:\n 'LP<0xdd89c0e695df0692205912fb69fc290418bed0dbe6e4573d744a6d5e6bab6c13::coin::T>',\n type: '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3::reserve::LP<0xdd89c0e695df0692205912fb69fc290418bed0dbe6e4573d744a6d5e6bab6c13::coin::T>',\n },\n unique_index: 15339,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [\n ['lp', 'aries'],\n ['bridge', 'native'],\n ],\n },\n hippo_symbol: 'ar-zUSDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ar-USDC.svg',\n name: 'Aries USDC (Layerzero) LP Token',\n official_symbol: 'aUSDC',\n pancake_symbol: 'ar-zUSDC',\n permissioned_listing: true,\n project_url: 'https://ariesmarkets.xyz/',\n symbol: 'ar-zUSDC',\n source: 'native',\n token_type: {\n account_address:\n '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3',\n module_name: 'reserve',\n struct_name:\n 'LP<0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa::asset::USDC>',\n type: '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3::reserve::LP<0xf22bede237a07e121b56d91a491eb7bcdfd1f5907926a9e58338f964a01b17fa::asset::USDC>',\n },\n unique_index: 15340,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [\n ['lp', 'aries'],\n ['bridge', 'native'],\n ],\n },\n hippo_symbol: 'ar-USDC',\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/ar-USDC.svg',\n name: 'Aries USDC (Wormhole) LP Token',\n official_symbol: 'aUSDC',\n pancake_symbol: 'ar-USDC',\n permissioned_listing: true,\n project_url: 'https://ariesmarkets.xyz/',\n symbol: 'ar-USDC',\n source: 'native',\n token_type: {\n account_address:\n '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3',\n module_name: 'reserve',\n struct_name:\n 'LP<0x5e156f1207d0ebfa19a9eeff00d62a282278fb8719f4fab3a586a0a2c0fffbea::coin::T>',\n type: '0x9770fa9c725cbd97eb50b2be5f7416efdfd1f1554beb0750d4dae4c64e860da3::reserve::LP<0x5e156f1207d0ebfa19a9eeff00d62a282278fb8719f4fab3a586a0a2c0fffbea::coin::T>',\n },\n unique_index: 15341,\n },\n];\n\nexport default rawInfoMainnet;\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n/* eslint-disable sort-keys-fix/sort-keys-fix,sort-keys */\n// from @manahippo/coin-list\nimport { RawCoinInfo } from '@manahippo/coin-list';\n\nexport const rawInfoTestNet: RawCoinInfo[] = [\n {\n coingecko_id: '',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/XBTC.svg',\n name: 'XBTC',\n official_symbol: 'XBTC',\n project_url: 'https://github.com/OmniBTC/OmniBridge',\n symbol: 'XBTC',\n token_type: {\n account_address:\n '0x3b0a7c06837e8fbcce41af0e629fdc1f087b06c06ff9e86f81910995288fd7fb',\n module_name: 'xbtc',\n struct_name: 'XBTC',\n type: '0x3b0a7c06837e8fbcce41af0e629fdc1f087b06c06ff9e86f81910995288fd7fb::xbtc::XBTC',\n },\n unique_index: 1,\n },\n {\n coingecko_id: '',\n decimals: 6,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDA.svg',\n name: 'Argo USD',\n official_symbol: 'USDA',\n project_url: 'https://argo.fi/',\n symbol: 'USDA',\n token_type: {\n account_address:\n '0x1000000f373eb95323f8f73af0e324427ca579541e3b70c0df15c493c72171aa',\n module_name: 'usda',\n struct_name: 'USDA',\n type: '0x1000000f373eb95323f8f73af0e324427ca579541e3b70c0df15c493c72171aa::usda::USDA',\n },\n unique_index: 2,\n },\n {\n coingecko_id: 'aptos',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/APT.webp',\n name: 'Aptos Coin',\n official_symbol: 'APT',\n project_url: 'https://aptoslabs.com/',\n symbol: 'APT',\n token_type: {\n account_address: '0x1',\n module_name: 'aptos_coin',\n struct_name: 'AptosCoin',\n type: '0x1::aptos_coin::AptosCoin',\n },\n unique_index: 3,\n },\n {\n coingecko_id: 'bitcoin',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/BTC.webp',\n name: 'Bitcoin',\n official_symbol: 'devBTC',\n project_url: 'project_url',\n symbol: 'devBTC',\n token_type: {\n account_address:\n '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68',\n module_name: 'devnet_coins',\n struct_name: 'DevnetBTC',\n type: '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68::devnet_coins::DevnetBTC',\n },\n unique_index: 4,\n },\n {\n coingecko_id: 'usd-coin',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDC.webp',\n name: 'USD Coin',\n official_symbol: 'devUSDC',\n project_url: 'project_url',\n symbol: 'devUSDC',\n token_type: {\n account_address:\n '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68',\n module_name: 'devnet_coins',\n struct_name: 'DevnetUSDC',\n type: '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68::devnet_coins::DevnetUSDC',\n },\n unique_index: 5,\n },\n {\n coingecko_id: 'tether',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/USDT.webp',\n name: 'Tether',\n official_symbol: 'devUSDT',\n project_url: 'project_url',\n symbol: 'devUSDT',\n token_type: {\n account_address:\n '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68',\n module_name: 'devnet_coins',\n struct_name: 'DevnetUSDT',\n type: '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68::devnet_coins::DevnetUSDT',\n },\n unique_index: 6,\n },\n {\n coingecko_id: 'dai',\n decimals: 8,\n extensions: {\n data: [],\n },\n logo_url:\n 'https://raw.githubusercontent.com/hippospace/aptos-coin-list/main/icons/DAI.webp',\n name: 'DAI',\n official_symbol: 'devDAI',\n project_url: 'project_url',\n symbol: 'devDAI',\n token_type: {\n account_address:\n '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68',\n module_name: 'devnet_coins',\n struct_name: 'DevnetDAI',\n type: '0x498d8926f16eb9ca90cab1b3a26aa6f97a080b3fcbe6e83ae150b7243a00fb68::devnet_coins::DevnetDAI',\n },\n unique_index: 7,\n },\n];\n\nexport default rawInfoTestNet;\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport {\n CollectionDataFieldsFragment,\n TokenActivityFragment,\n TokenDataFieldsFragment,\n} from '../operations';\nimport { emptyTokenData } from '../constants/fragments';\nimport {\n CollectionData,\n Event,\n EventWithVersion,\n ExtendedTokenData,\n TokenActivity,\n TokenData,\n} from '../types';\nimport { fixBadAptosUri } from './tokens';\n\n// parseTokenActivity\n\nexport const parseTokenActivity = (\n activity: TokenActivityFragment,\n): TokenActivity => {\n const collection = activity.current_token_data?.current_collection;\n return {\n accountAddress: activity.event_account_address,\n collectionDataId: collection?.collection_id,\n collectionName: collection?.collection_name,\n creatorAddress: collection?.creator_address,\n fromAddress: activity.from_address,\n name: activity.current_token_data?.token_name,\n propertyVersion: activity.property_version_v1,\n toAddress: activity.to_address,\n tokenAmount: activity.token_amount,\n tokenId: activity.token_data_id,\n transactionTimestamp: activity.transaction_timestamp,\n transactionVersion: activity.transaction_version,\n transferType: activity.type,\n };\n};\n\n// parseCollectionData\n\nexport const parseCollectionData = (\n collectionData: CollectionDataFieldsFragment,\n): CollectionData => ({\n collectionDataIdHash: collectionData.collection_id,\n collectionName: collectionData.collection_name,\n creatorAddress: collectionData.creator_address,\n description: collectionData.description,\n idHash: collectionData.collection_id,\n metadataUri: collectionData.uri,\n name: collectionData.collection_name,\n supply: collectionData.max_supply,\n});\n\n// parseTokenData\n\nexport const parseTokenData = (\n tokenData: TokenDataFieldsFragment,\n): TokenData => {\n const fixedUri = fixBadAptosUri(tokenData.token_uri);\n return {\n collection: tokenData.current_collection?.collection_name ?? '',\n collectionData: tokenData.current_collection\n ? parseCollectionData(tokenData.current_collection)\n : undefined,\n collectionDataIdHash: tokenData.current_collection?.collection_id ?? '',\n creator: tokenData.current_collection?.creator_address ?? '',\n description: tokenData.description,\n idHash: tokenData.token_data_id,\n isFungibleV2: false,\n isSoulbound: false,\n metadataUri: fixedUri,\n name: tokenData.token_name,\n tokenStandard: tokenData.token_standard as 'v1' | 'v2',\n };\n};\n\n// parseExtendedTokenData\n\nexport interface ParseExtendedTokenDataArgs {\n amount: number;\n lastTxnVersion: bigint;\n propertyVersion: number;\n tokenData: TokenDataFieldsFragment | null | undefined;\n tokenProperties: { [key: string]: string };\n}\n\nexport const parseExtendedTokenData = ({\n amount,\n lastTxnVersion,\n propertyVersion,\n tokenData,\n tokenProperties,\n}: ParseExtendedTokenDataArgs): ExtendedTokenData => ({\n ...(tokenData ? parseTokenData(tokenData) : emptyTokenData),\n amount,\n lastTxnVersion,\n propertyVersion,\n tokenProperties,\n});\n\n// parseRawEvent\n\nexport const parseRawEvent = (event: EventWithVersion): Event => ({\n data: event.data,\n guid: {\n address: event.guid.account_address,\n creationNumber: Number(event.guid.creation_number),\n },\n sequenceNumber: Number(event.sequence_number),\n type: event.type,\n version: Number(event.version),\n});\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { CoinStoreResourceData, Resource } from '../types';\nimport { coinStoreStructTag } from '../constants';\n\nconst coinStoreTypePattern = new RegExp(`^${coinStoreStructTag}<(.+)>$`);\n\n/**\n * Get coin store resources from a set of resources, grouped by coin type\n */\nexport function getCoinStoresByCoinType(resources: Resource[]) {\n const coinStores: Record<string, CoinStoreResourceData> = {};\n for (const resource of resources) {\n const match = resource.type.match(coinStoreTypePattern);\n if (match !== null) {\n const coinType = match[1];\n coinStores[coinType] = resource.data as CoinStoreResourceData;\n }\n }\n return coinStores;\n}\n\nexport default getCoinStoresByCoinType;\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { BCS, TxnBuilderTypes, type MaybeHexString } from 'aptos';\nimport {\n aptosAccountCreateAccountViaTransferFunctionName,\n aptosAccountNamespace,\n} from '../../constants/coins';\n\nexport interface CreateAccountTransferPayloadArgs {\n amount: bigint;\n recipient: MaybeHexString;\n}\n\n/**\n * Build a transaction payload to create an account via a transfer.\n */\nexport function buildCreateAccountTransferPaylod({\n amount,\n recipient,\n}: CreateAccountTransferPayloadArgs): TxnBuilderTypes.TransactionPayloadEntryFunction {\n const encodedArgs = [\n BCS.bcsToBytes(TxnBuilderTypes.AccountAddress.fromHex(recipient)),\n BCS.bcsSerializeUint64(BigInt(amount)),\n ];\n\n const entryFunction = TxnBuilderTypes.EntryFunction.natural(\n aptosAccountNamespace,\n aptosAccountCreateAccountViaTransferFunctionName,\n [],\n encodedArgs,\n );\n return new TxnBuilderTypes.TransactionPayloadEntryFunction(entryFunction);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { BCS, HexString, TxnBuilderTypes, type MaybeHexString } from 'aptos';\nimport {\n fungibleAssetMetadataStructTag,\n primaryFungibleStoreNamespace,\n primaryFungibleStoreTransferFunctionName,\n} from '../../constants/coins';\n\nexport interface FungibleAssetTransferPayloadArgs {\n amount: bigint;\n coinType: string;\n recipient: MaybeHexString;\n}\n\nexport function buildFungibleAssetTransferPayload({\n amount,\n coinType,\n recipient,\n}: FungibleAssetTransferPayloadArgs): TxnBuilderTypes.TransactionPayloadEntryFunction {\n const typeArgs = [\n new TxnBuilderTypes.TypeTagStruct(\n TxnBuilderTypes.StructTag.fromString(fungibleAssetMetadataStructTag),\n ),\n ];\n\n const encodedArgs = [\n new HexString(coinType).toUint8Array(),\n BCS.bcsToBytes(TxnBuilderTypes.AccountAddress.fromHex(recipient)),\n BCS.bcsSerializeUint64(BigInt(amount)),\n ];\n\n const entryFunction = TxnBuilderTypes.EntryFunction.natural(\n primaryFungibleStoreNamespace,\n primaryFungibleStoreTransferFunctionName,\n typeArgs,\n encodedArgs,\n );\n\n return new TxnBuilderTypes.TransactionPayloadEntryFunction(entryFunction);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { BCS, TxnBuilderTypes, type MaybeHexString } from 'aptos';\nimport {\n aptosAccountCoinTransferFunctionName,\n aptosAccountNamespace,\n aptosCoinStructTag,\n} from '../../constants/coins';\n\nexport interface NaturalCoinTransferPayloadArgs {\n amount: bigint;\n recipient: MaybeHexString;\n structTag?: string;\n}\n\n/**\n * Build a transaction payload to transfer coins.\n */\nexport function buildNaturalCoinTransferPayload({\n amount,\n recipient,\n structTag = aptosCoinStructTag,\n}: NaturalCoinTransferPayloadArgs): TxnBuilderTypes.TransactionPayloadEntryFunction {\n const typeArgs = [\n new TxnBuilderTypes.TypeTagStruct(\n TxnBuilderTypes.StructTag.fromString(structTag),\n ),\n ];\n\n const encodedArgs = [\n BCS.bcsToBytes(TxnBuilderTypes.AccountAddress.fromHex(recipient)),\n BCS.bcsSerializeUint64(BigInt(amount)),\n ];\n\n const entryFunction = TxnBuilderTypes.EntryFunction.natural(\n aptosAccountNamespace,\n aptosAccountCoinTransferFunctionName,\n typeArgs,\n encodedArgs,\n );\n\n return new TxnBuilderTypes.TransactionPayloadEntryFunction(entryFunction);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { TxnBuilderTypes } from 'aptos';\nimport { buildCreateAccountTransferPaylod } from './buildCreateAccountTransferPaylod';\nimport { buildFungibleAssetTransferPayload } from './buildFungibleAssetTransferPayload';\nimport { buildNaturalCoinTransferPayload } from './buildNaturalCoinTransferPayload';\n\nexport interface CoinTransferPayloadArgs {\n amount: bigint;\n coinType: string;\n doesRecipientExist?: boolean;\n recipient: string;\n}\n\nexport function buildCoinTransferPayload({\n amount,\n coinType,\n doesRecipientExist,\n recipient,\n}: CoinTransferPayloadArgs): TxnBuilderTypes.TransactionPayloadEntryFunction {\n // If the coin type is FA, we can use the fungible asset transfer function\n if (!coinType.includes('::')) {\n return buildFungibleAssetTransferPayload({\n amount,\n coinType,\n recipient,\n });\n }\n\n // If the recipient exists, we can use the natural coin transfer function\n if (doesRecipientExist) {\n return buildNaturalCoinTransferPayload({\n amount,\n recipient,\n structTag: coinType,\n });\n }\n\n // Otherwise, we need to create an account for the recipient and transfer the coins to it\n return buildCreateAccountTransferPaylod({\n amount,\n recipient,\n });\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { BCS, TxnBuilderTypes, Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\n\nexport interface SubmitTransactionArgs {\n signedTxn: TxnBuilderTypes.SignedTransaction;\n}\n\nexport type SubmitTransactionResult = Types.PendingTransaction;\n\n/**\n * @description Submits a signed transaction\n *\n * @warning\n * This is only available if the signer provides this function. Check the\n * `new AptosJSProClient(...)` instance to see if it is available.\n *\n */\nexport async function submitTransaction(\n this: AptosJSProClient,\n { signedTxn }: SubmitTransactionArgs,\n): Promise<SubmitTransactionResult> {\n const { aptosClient } = this.getClients();\n\n const encodedSignedTxn = BCS.bcsToBytes(signedTxn);\n return aptosClient.submitSignedBCSTransaction(encodedSignedTxn);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\n\nexport interface FundAccountArgs {\n address?: string;\n amount: number;\n}\n\nexport async function fundAccount(\n this: AptosJSProClient,\n { address, amount }: FundAccountArgs,\n): Promise<string[]> {\n const { account, faucetClient } = this.getClients();\n\n if (!faucetClient) throw new Error('Faucet is not available');\n\n return faucetClient.fundAccount(address ?? account.address, amount);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { MAX_INDEXER_INT } from '../../constants';\nimport { GetConsolidatedActivitiesQueryVariables } from '../../operations';\nimport { ActivityEvent } from '../../types';\nimport { transformPetraActivity } from '../../utils';\n\nexport interface FetchIndexedAccountActivitiesArgs\n extends Omit<\n GetConsolidatedActivitiesQueryVariables,\n 'address' | 'max_transaction_version'\n > {\n address?: string;\n max_transaction_version?: bigint;\n}\n\nexport interface FetchIndexedAccountActivitiesResult {\n events: ActivityEvent[];\n minVersion: bigint;\n}\n\nexport async function fetchIndexedAccountActivities(\n this: AptosJSProClient,\n {\n address,\n fungible_asset_activities_where = [],\n token_activities_where = [],\n where = [],\n limit = 12,\n max_transaction_version = MAX_INDEXER_INT,\n }: FetchIndexedAccountActivitiesArgs,\n): Promise<FetchIndexedAccountActivitiesResult> {\n const { account, indexerClient } = this.getClients();\n\n const response = await indexerClient?.getConsolidatedActivities({\n address: address ?? account.address,\n fungible_asset_activities_where,\n limit,\n max_transaction_version: max_transaction_version.toString(),\n token_activities_where,\n where,\n });\n\n const indexerEvents = response?.account_transactions ?? [];\n const events = indexerEvents.reduce((acc, x) => {\n try {\n // @ts-ignore\n acc.push(\n ...transformPetraActivity({\n account_address: address ?? account.address,\n ...x,\n }),\n );\n } catch (e) {\n // eslint-disable-next-line no-console\n console.debug('failed to transform activity', x, e);\n }\n return acc;\n }, [] as ActivityEvent[]);\n\n return {\n events,\n minVersion: indexerEvents.at(-1)?.transaction_version,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport axios from 'axios';\nimport { AptosJSProClient } from '../../client';\nimport { APTOS_NAMES_ENDPOINT } from '../../constants/endpoints';\nimport { AptosName } from '../../utils/names';\n\nexport interface FetchAddressFromNameArgs {\n name: AptosName | string;\n network?: string;\n}\n\n/**\n * @description Resolves an address from an AptosName\n *\n * Will default the network to the one specified in the AptosCore instance\n */\nexport async function fetchAddressFromName(\n this: AptosJSProClient,\n { name, network }: FetchAddressFromNameArgs,\n): Promise<string | undefined> {\n try {\n const networkName = network ?? this.network.name;\n const aptosName = typeof name === 'string' ? new AptosName(name) : name;\n const response = await axios.get<{ address?: string }>(\n `${APTOS_NAMES_ENDPOINT}/${networkName.toLowerCase()}/v1/address/${aptosName.noSuffix()}`,\n );\n return response.data?.address ? response.data.address : undefined;\n } catch (error) {\n return undefined;\n }\n}\n\nexport interface FetchNameFromAddressArgs {\n address: string;\n network?: string;\n}\n\n/**\n * @description Resolves an AptosName from an address\n *\n * Will default the network to the one specified in the AptosCore instance\n */\nexport async function fetchNameFromAddress(\n this: AptosJSProClient,\n { address, network }: FetchNameFromAddressArgs,\n): Promise<AptosName | undefined> {\n try {\n const networkName = network ?? this.network.name;\n const response = await axios.get<{ name?: string }>(\n `${APTOS_NAMES_ENDPOINT}/${networkName.toLowerCase()}/v1/name/${address}`,\n );\n return response.data?.name ? new AptosName(response.data.name) : undefined;\n } catch (error) {\n return undefined;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosJSProClient } from '../../client';\nimport { makeCoinInfoStructTag } from '../../constants';\nimport { CoinInfoData, CoinInfoResource, CoinType } from '../../types';\n\nconst prettifyCoinInfo = (client: AptosJSProClient, coinInfo: CoinInfoData) => {\n const prettyInfo = coinInfo;\n\n if (coinInfo.symbol === 'USDC' || coinInfo.symbol === 'devUSDC') {\n const lists = client.getCoinList();\n const offChainCoinInfo = lists.coinListDict[coinInfo.type as CoinType];\n if (!offChainCoinInfo) return coinInfo;\n prettyInfo.name = offChainCoinInfo.name;\n prettyInfo.symbol = offChainCoinInfo.symbol;\n }\n\n return prettyInfo;\n};\n\nexport type FetchCoinInfoArgs = {\n coinType: CoinType;\n};\n\n/**\n * @description Fetches coin info for a given coin type\n */\nexport async function fetchCoinInfo(\n this: AptosJSProClient,\n { coinType }: FetchCoinInfoArgs,\n): Promise<CoinInfoData | undefined> {\n const coinAddress = coinType.split('::')[0];\n const coinInfoResourceType = makeCoinInfoStructTag(coinType);\n const coinInfoResource = (await this.fetchResourceType({\n address: coinAddress,\n type: coinInfoResourceType as any,\n })) as CoinInfoResource | undefined;\n\n if (!coinInfoResource) return undefined;\n\n const coinInfo = coinInfoResource.data;\n coinInfo.type = coinType;\n delete coinInfo.supply;\n\n return prettifyCoinInfo(this, coinInfo);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport axios from 'axios';\nimport { COIN_GECKO_ENDPOINT } from '../../constants';\nimport { getServerTime } from '../../utils';\nimport { CoinType } from '../../types';\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchCoinPriceArgs {\n coinType: CoinType;\n currency?: string;\n}\n\nexport interface PriceInfo {\n currentPrice: string;\n lastFetched: number;\n percentChange: number;\n}\n\n/**\n * @description Fetches the price of a coin from CoinGecko\n */\nexport async function fetchCoinPrice(\n this: AptosJSProClient,\n { coinType, currency = 'usd' }: FetchCoinPriceArgs,\n): Promise<PriceInfo | undefined> {\n if (coinType !== '0x1::aptos_coin::AptosCoin') return undefined; // Blocking other tokens from being priced\n\n // Using CoinGecko for pricing\n const coingeckoUrl = `${COIN_GECKO_ENDPOINT}/v3/simple/token_price/aptos?contract_addresses=${coinType}&vs_currencies=${currency}&include_24hr_change=true`;\n const response = await axios.get(coingeckoUrl);\n const data = response.data[coinType];\n\n // Transform the data into the PriceInfo interface\n return data\n ? {\n currentPrice: data[`${currency}`],\n lastFetched: getServerTime(),\n percentChange: data[`${currency}_24h_change`],\n }\n : undefined;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { Event, EventWithVersion } from '../../types';\nimport { parseRawEvent } from '../../utils';\n\nexport interface FetchEventsArgs {\n address: string;\n creationNumber: number;\n limit?: number;\n start?: bigint | number;\n}\n\nexport async function fetchEvents(\n this: AptosJSProClient,\n { address, creationNumber, ...args }: FetchEventsArgs,\n): Promise<Event[]> {\n const { provider } = this.getClients();\n\n const rawEvents = (\n await provider.aptosClient.getEventsByCreationNumber(\n address,\n creationNumber,\n args,\n )\n ).reverse() as EventWithVersion[];\n\n return rawEvents.map((e) => parseRawEvent(e));\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { FaucetClient } from 'aptos';\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchFaucetStatusArgs {\n faucetUrl: string;\n nodeUrl: string;\n}\n\n/**\n * @description Fetches the faucet status of the given node and faucet URLs\n */\nexport async function fetchFaucetStatus(\n this: AptosJSProClient,\n { faucetUrl, nodeUrl }: FetchFaucetStatusArgs,\n): Promise<boolean> {\n const { account } = this;\n\n try {\n const faucetClient = new FaucetClient(nodeUrl, faucetUrl);\n // Note: since we're funding 0 coins, the request is fast (no need to wait for transactions)\n const txns = await faucetClient.fundAccount(account.address, 0);\n return txns.length === 1;\n } catch (err) {\n return false;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\n\n/**\n * @description Fetches the current gas price\n */\nexport async function fetchGasPrice(\n this: AptosJSProClient,\n): Promise<Types.GasEstimation> {\n const { provider } = this.getClients();\n\n return provider.aptosClient.estimateGasPrice();\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { aptosCoinStructTag } from '../../constants';\nimport { CollectionData } from '../../types';\n\nexport interface FetchIndexedAccountCollectionsArgs {\n address: string;\n limit?: number;\n offset?: number;\n}\n\nexport interface FetchIndexedAccountCollectionsResult {\n collections: CollectionData[];\n nextCursor?: number;\n prevCursor?: number;\n}\n\nexport async function fetchIndexedAccountCollections(\n this: AptosJSProClient,\n { address, limit = 100, offset = 0 }: FetchIndexedAccountCollectionsArgs,\n): Promise<FetchIndexedAccountCollectionsResult> {\n const { indexerClient } = this.getClients();\n\n const collections: CollectionData[] = [];\n\n // Fetch all of the collections owned by the account\n const result = await indexerClient?.getAccountCollections({\n address,\n limit,\n offset,\n });\n\n // Transform raw data to CollectionData\n result?.current_collection_ownership_v2_view.forEach((collection) => {\n if (!collection.current_collection) return;\n\n collections.push({\n cdnImageUri:\n collection.current_collection.cdn_asset_uris?.cdn_image_uri ??\n undefined,\n collectionDataIdHash: collection.current_collection.collection_id,\n collectionName: collection.current_collection.collection_name,\n creatorAddress: collection.current_collection.creator_address,\n description: collection.current_collection.description,\n distinctTokens: collection.distinct_tokens,\n fallbackUri: collection.single_token_uri ?? undefined,\n idHash: collection.current_collection.collection_id,\n metadataUri: collection.current_collection.uri,\n name: collection.current_collection.collection_name,\n });\n });\n\n // Query all the floor prices for the collections\n const floors = await indexerClient?.getCollectionsFloorPrice({\n collectionIds: collections.map((c) => c.idHash),\n });\n\n // Add floor price to each collection\n floors?.nft_marketplace_v2_current_nft_marketplace_listings?.forEach(\n (floor) => {\n if (floor.coin_type !== aptosCoinStructTag) return;\n const collection = collections.find(\n (c) => c.idHash === floor.collection_id,\n );\n if (collection) collection.floorPrice = floor.price;\n },\n );\n\n // Determine if there are previous or next pages\n const hasPrevPage = offset > 0;\n const hasNextPage =\n (result?.current_collection_ownership_v2_view ?? []).length > 0;\n\n // Return the collections and the next/prev cursors. If there are no\n // previous or next pages, return undefined for the cursor.\n return {\n collections,\n nextCursor: hasNextPage ? offset + limit : undefined,\n prevCursor: hasPrevPage ? Math.max(offset - limit, 0) : undefined,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\nimport { CoinActivityFieldsFragment } from '../../operations';\nimport {\n BaseConfirmedActivityItem,\n CoinType,\n ConfirmedActivityItem,\n} from '../../types';\nimport { timestampToDate } from '../../utils/dates';\n\nconst parseIndexerCoinActivityItem = async (\n client: AptosJSProClient,\n activity: CoinActivityFieldsFragment,\n): Promise<ConfirmedActivityItem> => {\n const isCoinTransferTxn =\n activity.entry_function_id_str === '0x1::coin::transfer' ||\n activity.entry_function_id_str === '0x1::aptos_account::transfer' ||\n activity.entry_function_id_str === '0x1::aptos_account::transfer_coins';\n const isDeposit = activity.activity_type === '0x1::coin::DepositEvent';\n const isGasFee = activity.is_gas_fee;\n\n const coinInfo = await client.fetchCoinInfo({\n coinType: activity.coin_type as CoinType,\n });\n\n const base: BaseConfirmedActivityItem = {\n amount: BigInt(isDeposit ? activity.amount : -activity.amount),\n coinInfo,\n creationNum: activity.event_creation_number,\n sequenceNum: activity.event_sequence_number,\n status: activity.is_transaction_success ? 'success' : 'failed',\n timestamp: timestampToDate(activity.transaction_timestamp).getTime(),\n txnVersion: activity.transaction_version,\n };\n\n if (isCoinTransferTxn && !isGasFee) {\n const txn = await client.fetchTransaction({\n version: activity.transaction_version,\n });\n const recipient = (txn.payload as Types.EntryFunctionPayload)\n .arguments[0] as string;\n return {\n recipient,\n recipientName: await client.fetchNameFromAddress({ address: recipient }),\n sender: txn.sender,\n senderName: await client.fetchNameFromAddress({ address: txn.sender }),\n type: 'coinTransfer',\n ...base,\n };\n }\n\n return {\n type: isGasFee ? 'gasFee' : 'coinEvent',\n ...base,\n };\n};\n\nexport interface FetchIndexedCoinActivitiesArgs {\n address: string;\n limit?: number;\n offset?: number;\n}\n\nexport interface FetchIndexedCoinActivitiesResult {\n activities: ConfirmedActivityItem[];\n nextCursor?: number;\n prevCursor?: number;\n}\n\n/**\n * @description Fetches a page of coin activities for a given account address using the indexer\n */\nexport async function fetchIndexedCoinActivities(\n this: AptosJSProClient,\n { address, limit = 12, offset = 0 }: FetchIndexedCoinActivitiesArgs,\n): Promise<FetchIndexedCoinActivitiesResult> {\n const { indexerClient } = this.getClients();\n\n const activities: ConfirmedActivityItem[] = [];\n\n const result = await indexerClient?.getAccountCoinActivity({\n address,\n limit,\n offset,\n });\n\n const pendingActivities = (result?.coin_activities ?? []).map(\n async (activity) => parseIndexerCoinActivityItem(this, activity),\n );\n\n for (const activity of await Promise.all(pendingActivities)) {\n activities.push(activity);\n }\n\n const hasPrevPage = offset > 0;\n const hasNextPage = (result?.coin_activities ?? []).length > 0;\n\n return {\n activities,\n nextCursor: hasNextPage ? offset + limit : undefined,\n prevCursor: hasPrevPage ? Math.min(offset - limit, 0) : undefined,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosJSProClient } from '../../client';\nimport { TokenActivity } from '../../types/tokens';\nimport { parseTokenActivity } from '../../utils/parsers';\n\nexport interface FetchIndexedTokenActivitiesArgs {\n limit?: number;\n offset?: number;\n tokenId: string;\n}\n\nexport interface FetchIndexedTokenActivitiesResult {\n activities: TokenActivity[];\n nextCursor?: number;\n prevCursor?: number;\n}\n\n/**\n * @description\n * Fetches a page of token activities for a given token ID hash or address using the indexer\n */\nexport async function fetchIndexedTokenActivities(\n this: AptosJSProClient,\n { limit = 12, offset = 0, tokenId }: FetchIndexedTokenActivitiesArgs,\n): Promise<FetchIndexedTokenActivitiesResult> {\n const { indexerClient } = this.getClients();\n\n const activities: TokenActivity[] = [];\n\n const result = await indexerClient?.getTokenActivities({\n limit,\n offset,\n tokenId,\n });\n\n result?.token_activities_v2.forEach((activity) =>\n activities.push(parseTokenActivity(activity)),\n );\n\n const hasPrevPage = offset > 0;\n const hasNextPage = (result?.token_activities_v2 ?? []).length > 0;\n\n return {\n activities,\n nextCursor: hasNextPage ? offset + limit : undefined,\n prevCursor: hasPrevPage ? Math.min(offset - limit, 0) : undefined,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosJSProClient } from '../client';\nimport { CurrentTokenPendingClaimsFragment } from '../operations';\nimport { TokenClaim } from '../types';\nimport { parseCollectionData, parseExtendedTokenData } from '../utils/parsers';\n\ntype HiddenTokens = { [key: string]: { [key: string]: boolean } };\n\nexport async function parseTokenClaim(\n client: AptosJSProClient,\n tokenClaim: CurrentTokenPendingClaimsFragment,\n): Promise<TokenClaim> {\n return {\n amount: tokenClaim.amount,\n collectionData: tokenClaim.current_token_data_v2?.current_collection\n ? parseCollectionData(\n tokenClaim.current_token_data_v2?.current_collection,\n )\n : undefined,\n fromAddress: tokenClaim.from_address,\n fromAddressName: await client.fetchNameFromAddress({\n address: tokenClaim.from_address,\n }),\n lastTransactionTimestamp: tokenClaim.last_transaction_timestamp,\n lastTransactionVersion: tokenClaim.last_transaction_version,\n toAddress: tokenClaim.to_address,\n toAddressName: await client.fetchNameFromAddress({\n address: tokenClaim.to_address,\n }),\n tokenData: parseExtendedTokenData({\n amount: tokenClaim.amount,\n lastTxnVersion: tokenClaim.last_transaction_version,\n propertyVersion: tokenClaim.property_version,\n tokenData: tokenClaim.current_token_data_v2,\n tokenProperties: tokenClaim.current_token_data_v2?.token_properties,\n }),\n };\n}\n\nconst isPendingTokenOfferVisible = (\n address: string,\n pendingClaim: TokenClaim,\n hiddenTokens?: HiddenTokens,\n) => {\n if (!hiddenTokens) return true;\n\n const { lastTransactionVersion } = pendingClaim;\n const { idHash } = pendingClaim.tokenData;\n const tokenKey = `${idHash}_${lastTransactionVersion}`;\n\n return !hiddenTokens?.[address]?.[tokenKey];\n};\n\nexport interface FetchIndexedTokensPendingOfferClaimsArgs {\n address: string;\n hiddenTokens?: HiddenTokens;\n limit?: number;\n offset?: number;\n showHiddenOffers?: boolean;\n}\n\nexport interface FetchIndexedTokensPendingOfferClaimsResult {\n claims: TokenClaim[];\n nextCursor?: number;\n prevCursor?: number;\n}\n\n/**\n * @description\n * Fetches a page of pending token offer claims for a given account address using the indexer\n *\n * Can specify what tokens to hide using the hiddenTokens argument\n */\nexport async function fetchIndexedTokensPendingOfferClaims(\n this: AptosJSProClient,\n {\n address,\n hiddenTokens,\n limit = 12,\n offset = 0,\n showHiddenOffers = false,\n }: FetchIndexedTokensPendingOfferClaimsArgs,\n): Promise<FetchIndexedTokensPendingOfferClaimsResult> {\n const { indexerClient } = this.getClients();\n\n const claims: TokenClaim[] = [];\n\n const result = await indexerClient?.getTokenPendingClaims({\n address,\n limit,\n offset,\n });\n\n const pendingClaims = [];\n for (const pendingClaim of result?.current_token_pending_claims ?? []) {\n pendingClaims.push(parseTokenClaim(this, pendingClaim));\n }\n\n for (const claim of await Promise.all(pendingClaims)) {\n const isVisible = isPendingTokenOfferVisible(address, claim, hiddenTokens);\n if ((showHiddenOffers && !isVisible) || (!showHiddenOffers && isVisible)) {\n claims.push(claim);\n }\n }\n\n const hasPrevPage = offset > 0;\n const hasNextPage = (result?.current_token_pending_claims ?? []).length > 0;\n\n return {\n claims,\n nextCursor: hasNextPage ? offset + limit : undefined,\n prevCursor: hasPrevPage ? Math.min(offset - limit, 0) : undefined,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\n\nexport type FetchIndexerProcessorAvailabilityArgs = {\n processor: string;\n};\n\n/**\n * @description Fetches the availability of an indexerClient processor\n */\nexport async function fetchIndexerProcessorAvailability(\n this: AptosJSProClient,\n { processor }: FetchIndexerProcessorAvailabilityArgs,\n): Promise<boolean> {\n const { indexerClient } = this.getClients();\n\n if (!indexerClient) return false;\n\n try {\n const status = await indexerClient.getProcessorLastVersion({ processor });\n return status.processor_status.length > 0;\n } catch (error) {\n return false;\n }\n}\n\n/**\n * @description Fetches the availability of the token processor\n */\nexport async function fetchTokenProcessorAvailability(this: AptosJSProClient) {\n return this.fetchIndexerProcessorAvailability({\n processor: 'token_processor',\n });\n}\n\n/**\n * @description Fetches the availability of the coin processor\n */\nexport async function fetchCoinProcessorAvailability(this: AptosJSProClient) {\n return this.fetchIndexerProcessorAvailability({\n processor: 'coin_processor',\n });\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport axios from 'axios';\nimport { AptosJSProClient } from '../../client';\nimport { MetadataJson } from '../../types';\n\nexport interface FetchIsValidMetadataArgs {\n uri: string;\n}\n\n/**\n * @description Determines if a metadata uri is valid according to the EIP-721 standard\n */\nexport async function fetchIsValidMetadata(\n this: AptosJSProClient,\n { uri }: FetchIsValidMetadataArgs,\n): Promise<boolean> {\n try {\n const { data } = await axios.get<MetadataJson>(uri);\n\n const hasMainProperties = [\n data.description,\n data.image,\n data.name,\n data.properties,\n data.seller_fee_basis_points !== undefined,\n data.symbol,\n ].every(Boolean);\n\n if (!hasMainProperties) {\n return false;\n }\n const hasPropertyDetails = [\n data.properties?.category,\n data.properties?.creators,\n data.properties?.files,\n ].every(Boolean);\n\n if (!hasPropertyDetails) {\n return false;\n }\n\n const validCreators = data.properties!.creators.every(\n (creator) => creator.address && creator.share !== undefined,\n );\n\n const validFiles = data.properties!.files.every(\n (file) => file.type && file.uri,\n );\n\n return validCreators && validFiles;\n } catch (err) {\n return false;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosClient } from 'aptos';\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchNodeStatusArgs {\n nodeUrl: string;\n}\n\n/**\n * @description Fetches the node status of the given node URL\n */\nexport async function fetchNodeStatus(\n this: AptosJSProClient,\n { nodeUrl }: FetchNodeStatusArgs,\n): Promise<boolean> {\n try {\n const aptosClient = new AptosClient(nodeUrl);\n await aptosClient.getLedgerInfo();\n return true;\n } catch (error) {\n return false;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosJSProClient } from '../../client';\nimport {\n Resource,\n ResourceType,\n ResourceTypeValue,\n} from '../../types/resource';\n\nexport interface FetchResourcesArgs {\n address: string;\n}\n\n/**\n * @description Fetches the resources of the given account address\n */\nexport async function fetchResources(\n this: AptosJSProClient,\n { address }: FetchResourcesArgs,\n): Promise<Resource[]> {\n const { provider } = this.getClients();\n\n return provider.aptosClient.getAccountResources(address) as Promise<\n Resource[]\n >;\n}\n\nexport interface FetchResourceTypeArgs<T extends ResourceType> {\n address: string;\n type: T;\n}\n\n/**\n * @description Fetches the resource of the given type from the given account address\n */\nexport async function fetchResourceType<T extends ResourceType>(\n this: AptosJSProClient,\n { address, type }: FetchResourceTypeArgs<T>,\n): Promise<ResourceTypeValue<T> | undefined> {\n const { provider } = this.getClients();\n\n try {\n return (await provider.aptosClient.getAccountResource(\n address,\n type,\n )) as ResourceTypeValue<T>;\n } catch (error) {\n return undefined;\n }\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport axios from 'axios';\nimport { MetadataJson } from '../../types';\nimport { fixIpfs, isAptosNftImage, isImageUri } from '../../utils/tokens';\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchTokenMetadataArgs {\n uri: string;\n}\n\nexport async function fetchTokenMetadata(\n this: AptosJSProClient,\n { uri }: FetchTokenMetadataArgs,\n): Promise<MetadataJson> {\n const resolvedUri = fixIpfs(uri.trim());\n const isImage = isAptosNftImage(resolvedUri) || isImageUri(resolvedUri);\n\n if (!isImage) {\n // Actually query metadata, and determine type from the result\n const response = await axios.get<MetadataJson>(resolvedUri);\n const contentType = response.headers['content-type'];\n\n if (!(contentType !== undefined && contentType?.includes('image/'))) {\n // The response content is not an image, assuming it's a valid metadata json\n return {\n ...response.data,\n image: response.data.image ? fixIpfs(response.data.image) : undefined,\n };\n }\n }\n\n return { image: resolvedUri };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\nimport { shareRequests } from '../../utils/cache';\n\nexport type SdkTransaction =\n | Types.Transaction_UserTransaction\n | Types.Transaction_PendingTransaction;\n\nexport interface FetchTransactionArgs {\n version: number;\n}\n\n/**\n * @description Fetches a transaction by version\n */\nexport async function fetchTransaction(\n this: AptosJSProClient,\n { version }: FetchTransactionArgs,\n): Promise<SdkTransaction> {\n const { provider } = this.getClients();\n\n return shareRequests(\n async (e: number) =>\n (await provider.getTransactionByVersion(e)) as SdkTransaction,\n )(version);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { Types } from 'aptos';\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchWaitForTransactionArgs {\n extraArgs?: { checkSuccess?: boolean; timeoutSecs?: number };\n txnHash: string;\n}\n\n/**\n * @description Waits for a transaction to finalize\n */\nexport async function fetchWaitForTransaction(\n this: AptosJSProClient,\n { extraArgs, txnHash }: FetchWaitForTransactionArgs,\n): Promise<void> {\n const { provider } = this.getClients();\n\n return provider.aptosClient.waitForTransaction(txnHash, extraArgs);\n}\n\nexport type FetchWaitForTransactionWithResultResult = Types.Transaction;\n\n/**\n * @description Waits for a transaction to finalize and returns the result\n */\nexport async function fetchWaitForTransactionWithResult(\n this: AptosJSProClient,\n { extraArgs, txnHash }: FetchWaitForTransactionArgs,\n): Promise<FetchWaitForTransactionWithResultResult> {\n const { provider } = this.getClients();\n\n return provider.aptosClient.waitForTransactionWithResult(txnHash, extraArgs);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { AptosClient, FaucetClient, Provider, TokenClient } from 'aptos';\nimport { Sdk } from '../../operations';\nimport { AptosJSProClient } from '../../client';\nimport { AccountInfo, NetworkInfo } from '../../types';\n\nexport type GetClientsResult = {\n account: AccountInfo;\n aptosClient: AptosClient;\n faucetClient?: FaucetClient;\n indexerClient?: Sdk;\n network: NetworkInfo;\n provider: Provider;\n tokenClient: TokenClient;\n};\n\n/**\n * @description Gets the clients from the AptosCore instance\n */\nexport function getClients(this: AptosJSProClient): GetClientsResult {\n const core = this;\n\n return {\n account: core.account,\n aptosClient: core.aptosClient,\n faucetClient: core.faucetClient,\n indexerClient: core.indexer,\n network: core.network,\n provider: core.provider,\n tokenClient: core.tokenClient,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { RawCoinInfo } from '@manahippo/coin-list';\nimport { AptosJSProClient } from '../../client';\nimport { mainnetList, testnetList } from '../../constants';\nimport { CoinType } from '../../types/coins';\nimport { DefaultNetworks } from '../../types/networks';\n\nexport const COIN_LISTS: Record<string, RawCoinInfo[]> = Object.freeze({\n [DefaultNetworks.Mainnet]: mainnetList,\n [DefaultNetworks.Testnet]: testnetList,\n [DefaultNetworks.Devnet]: [],\n [DefaultNetworks.Localhost]: [],\n});\n\nexport interface GetCoinListArgs {\n networkName?: string;\n}\n\nexport interface GetCoinListResult {\n allCoinsLogoHash: Record<CoinType, string>;\n coinListDict: Record<CoinType, RawCoinInfo>;\n}\n\n/**\n * @description Fetches the coin list metadata for a given network\n */\nexport function getCoinList(\n this: AptosJSProClient,\n { networkName }: GetCoinListArgs = {},\n): GetCoinListResult {\n const network = networkName ?? this.network.name;\n\n const coins: RawCoinInfo[] = COIN_LISTS[network] ?? [];\n\n const coinListDict = coins.reduce((acc, coin) => {\n acc[coin.token_type.type as CoinType] = coin;\n return acc;\n }, {} as Record<CoinType, RawCoinInfo>);\n\n const allCoinsLogoHash = coins.reduce((acc, coin) => {\n acc[coin.token_type.type as CoinType] = coin.logo_url;\n return acc;\n }, {} as Record<CoinType, string>);\n\n return { allCoinsLogoHash, coinListDict };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\n\nexport interface FetchAccountTotalTokensArgs {\n address: string;\n collectionId?: string;\n}\n\nexport async function fetchAccountTotalTokens(\n this: AptosJSProClient,\n { address, collectionId }: FetchAccountTotalTokensArgs,\n): Promise<number> {\n const { indexerClient } = this.getClients();\n\n const result = await indexerClient?.getAccountTokensTotal({\n address,\n where: collectionId\n ? [{ current_token_data: { collection_id: { _eq: collectionId } } }]\n : [],\n });\n\n return result?.current_token_ownerships_v2_aggregate.aggregate?.count ?? 0;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { normalizeTimestamp } from '../../utils';\n\nexport interface FetchTokenAcquiredDateArgs {\n address?: string;\n tokenId: string;\n}\n\n/**\n * Fetches the most recent date that the given token was acquired by the given\n * address. This does not assume that the address is the owner of the token,\n * but rather that the address has deposited the token into its wallet.\n */\nexport async function fetchTokenAcquiredDate(\n this: AptosJSProClient,\n { address, tokenId }: FetchTokenAcquiredDateArgs,\n): Promise<Date | null> {\n const { account, indexerClient } = this.getClients();\n\n const res = await indexerClient?.getTokenAcquisitionActivity({\n address: address ?? account.address,\n tokenId,\n });\n\n if (!res || res.token_activities_v2.length === 0) return null;\n\n return new Date(\n normalizeTimestamp(res.token_activities_v2[0].transaction_timestamp),\n );\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { aptosCoinStoreStructTag } from '../../constants';\n\nexport interface FetchBalanceArgs {\n address?: string;\n}\n\nexport async function fetchBalance(\n this: AptosJSProClient,\n { address }: FetchBalanceArgs = {},\n): Promise<bigint> {\n const { account } = this;\n\n const resource = await this.fetchResourceType({\n address: address ?? account.address,\n type: aptosCoinStoreStructTag,\n });\n\n return resource ? BigInt(resource.data.coin.value) : BigInt(0);\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { EXPLORER_BASE_PATH, explorerNetworkNamesMap } from '../../constants';\n\nexport interface GetExplorerUrlArgs {\n networkName?: string;\n path?: string;\n}\n\nexport function getExplorerUrl(\n this: AptosJSProClient,\n { networkName = this.network.name, path }: GetExplorerUrlArgs = {},\n): string {\n const explorerNetworkName = explorerNetworkNamesMap[networkName];\n const networkSuffix = explorerNetworkName\n ? `?network=${explorerNetworkName}`\n : '';\n\n return path !== undefined\n ? `${EXPLORER_BASE_PATH}/${path}${networkSuffix}`\n : `${EXPLORER_BASE_PATH}${networkSuffix}`;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosJSProClient } from '../../client';\nimport { TokenData, TokenStandard } from '../../types';\n\nexport interface FetchTokenDataWithAddressArgs {\n address: string;\n}\n\n/**\n * Retrieve the TokenData from indexer using the address to the token\n * object.\n *\n * For TokenV1, you can get the address by doing the following:\n * ```ts\n * `0x${idHash}`\n * ```\n *\n * @param address - The address to the token object\n */\nexport async function fetchTokenDataWithAddress(\n this: AptosJSProClient,\n { address }: FetchTokenDataWithAddressArgs,\n): Promise<TokenData | undefined> {\n const { indexerClient } = this.getClients();\n const data = await indexerClient?.getTokenData({ address });\n\n const token = data?.current_token_datas_v2[0];\n if (!token) return undefined;\n\n return {\n cdnImageUri: token.cdn_asset_uris?.cdn_image_uri,\n collection: token.current_collection?.collection_id ?? '',\n creator: token.current_collection?.creator_address ?? '',\n description: token.description,\n idHash: address.substring(2),\n isFungibleV2: false,\n isSoulbound: false,\n metadataUri: token.token_uri,\n name: token.token_name,\n tokenStandard: token.token_standard as TokenStandard,\n };\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { subscribeWithSelector } from 'zustand/middleware';\nimport { Mutate, StoreApi, createStore } from 'zustand/vanilla';\nimport {\n ClientConfig as AptosClientConfig,\n FaucetClient,\n Network,\n Provider,\n TokenClient,\n} from 'aptos';\nimport makeClient, { Sdk } from './operations';\nimport { AccountInfo, NetworkInfo } from './types';\nimport { SignerClient } from './types/signer';\nimport {\n fetchTokenMetadata,\n getClients,\n getCoinList,\n fetchWaitForTransaction,\n fetchTransaction,\n fetchIndexerProcessorAvailability,\n fetchIndexedTokenActivities,\n fetchIndexedCoinActivities,\n fetchResources,\n fetchNodeStatus,\n fetchIsValidMetadata,\n fetchCoinProcessorAvailability,\n fetchTokenProcessorAvailability,\n fetchIndexedAccountCollections,\n fetchGasPrice,\n fetchFaucetStatus,\n fetchEvents,\n fetchCoinPrice,\n fetchCoinInfo,\n fetchResourceType,\n fetchAddressFromName,\n fetchNameFromAddress,\n fetchWaitForTransactionWithResult,\n fetchIndexedTokensPendingOfferClaims,\n fetchAccountTotalTokens,\n fetchTokenAcquiredDate,\n fetchBalance,\n getExplorerUrl,\n fetchIndexedAccountActivities,\n fetchTokenDataWithAddress,\n} from './queries';\nimport {\n signAndSubmitRawTransaction,\n signBuffer,\n signMessage,\n signTransaction,\n simulateTransaction,\n submitTransaction,\n fundAccount,\n} from './mutations';\n\nexport type ClientConfigs = {\n aptosClient?: { config: AptosClientConfig };\n faucetClient?: { config: AptosClientConfig };\n};\n\nexport type AptosJSProClientArgs = {\n account: AccountInfo;\n config?: ClientConfigs;\n network: NetworkInfo;\n signer: SignerClient;\n};\n\nexport type AptosJSProClientState = {\n account: AccountInfo;\n config?: ClientConfigs;\n network: NetworkInfo;\n signer: SignerClient;\n};\n\nexport class AptosJSProClient {\n #store: Mutate<\n StoreApi<AptosJSProClientState>,\n [['zustand/subscribeWithSelector', never]]\n >;\n\n #provider: Provider;\n\n #indexer: Sdk | undefined;\n\n #faucetClient: FaucetClient | undefined;\n\n #tokenClient: TokenClient;\n\n constructor(args: AptosJSProClientArgs) {\n this.#store = createStore<\n AptosJSProClientState,\n [['zustand/subscribeWithSelector', never]]\n >(\n subscribeWithSelector(\n (): AptosJSProClientState => ({\n account: args.account,\n config: args.config,\n network: args.network,\n signer: args.signer,\n }),\n ),\n );\n this.#provider = this.createProvider();\n this.#indexer = this.createIndexer();\n this.#faucetClient = this.createFaucetClient();\n this.#tokenClient = this.createTokenClient();\n }\n\n get state() {\n return this.#store.getState();\n }\n\n get signer() {\n return this.state.signer;\n }\n\n get account() {\n return this.state.account;\n }\n\n get network() {\n return this.state.network;\n }\n\n get aptosClient() {\n return this.#provider.aptosClient;\n }\n\n get indexer() {\n return this.#indexer;\n }\n\n get faucetClient() {\n return this.#faucetClient;\n }\n\n get tokenClient() {\n return this.#tokenClient;\n }\n\n get provider() {\n return this.#provider;\n }\n\n setAccount(account: AccountInfo) {\n this.#store.setState({ account }, true);\n }\n\n setNetwork(network: NetworkInfo) {\n this.#store.setState({ network }, true);\n this.refreshClients();\n }\n\n setSigner(signer: SignerClient) {\n this.#store.setState({ signer }, true);\n }\n\n setConfig(config: ClientConfigs) {\n this.#store.setState({ config }, true);\n this.refreshClients();\n }\n\n onAccountChange(callback: (account: AccountInfo) => void) {\n return this.#store.subscribe(\n (state) => state.account,\n (account) => callback(account),\n );\n }\n\n onNetworkChange(callback: (network: NetworkInfo) => void) {\n return this.#store.subscribe(\n (state) => state.network,\n (network) => callback(network),\n );\n }\n\n onSignerChange(callback: (signer: SignerClient) => void) {\n return this.#store.subscribe(\n (state) => state.signer,\n (signer) => callback(signer),\n );\n }\n\n onConfigChange(callback: (config?: ClientConfigs) => void) {\n return this.#store.subscribe(\n (state) => state.config,\n (config) => callback(config),\n );\n }\n\n onChange(callback: (state: AptosJSProClientState) => void) {\n return this.#store.subscribe((state) => callback(state));\n }\n\n private refreshClients() {\n this.#provider = this.createProvider();\n this.#indexer = this.createIndexer();\n this.#faucetClient = this.createFaucetClient();\n this.#tokenClient = this.createTokenClient();\n }\n\n private createProvider() {\n const { network } = this;\n\n if (network.name in Object.values(Network)) {\n return new Provider(\n network.name as Network,\n this.state?.config?.aptosClient?.config,\n );\n }\n\n return new Provider(\n {\n fullnodeUrl: this.state.network.nodeUrl,\n indexerUrl: this.state.network.indexerUrl ?? 'unknown',\n },\n this.state?.config?.aptosClient?.config,\n );\n }\n\n private createIndexer(): Sdk | undefined {\n const url = this.state.network.indexerUrl;\n return url ? makeClient(url) : undefined;\n }\n\n private createFaucetClient() {\n const { network } = this;\n\n if (!network.nodeUrl || !network.faucetUrl) return undefined;\n\n return new FaucetClient(\n network.nodeUrl,\n network.faucetUrl,\n this.state?.config?.faucetClient?.config,\n );\n }\n\n private createTokenClient() {\n return new TokenClient(this.#provider.aptosClient);\n }\n\n //* Client Queries\n\n getClients = getClients;\n\n getCoinList = getCoinList;\n\n fetchIndexedAccountActivities = fetchIndexedAccountActivities;\n\n fetchWaitForTransaction = fetchWaitForTransaction;\n\n fetchWaitForTransactionWithResult = fetchWaitForTransactionWithResult;\n\n fetchTransaction = fetchTransaction;\n\n fetchTokenMetadata = fetchTokenMetadata;\n\n fetchResources = fetchResources;\n\n fetchResourceType = fetchResourceType;\n\n fetchNodeStatus = fetchNodeStatus;\n\n fetchIsValidMetadata = fetchIsValidMetadata;\n\n fetchIndexerProcessorAvailability = fetchIndexerProcessorAvailability;\n\n fetchTokenProcessorAvailability = fetchTokenProcessorAvailability;\n\n fetchCoinProcessorAvailability = fetchCoinProcessorAvailability;\n\n fetchIndexedTokenActivities = fetchIndexedTokenActivities;\n\n fetchIndexedCoinActivities = fetchIndexedCoinActivities;\n\n fetchIndexedAccountCollections = fetchIndexedAccountCollections;\n\n fetchGasPrice = fetchGasPrice;\n\n fetchFaucetStatus = fetchFaucetStatus;\n\n fetchEvents = fetchEvents;\n\n fetchCoinPrice = fetchCoinPrice;\n\n fetchCoinInfo = fetchCoinInfo;\n\n fetchAddressFromName = fetchAddressFromName;\n\n fetchNameFromAddress = fetchNameFromAddress;\n\n fetchIndexedTokensPendingOfferClaims = fetchIndexedTokensPendingOfferClaims;\n\n fetchAccountTotalTokens = fetchAccountTotalTokens;\n\n fetchTokenAcquiredDate = fetchTokenAcquiredDate;\n\n fetchBalance = fetchBalance;\n\n fetchTokenDataWithAddress = fetchTokenDataWithAddress;\n\n getExplorerUrl = getExplorerUrl;\n\n //* Client Mutations\n\n submitTransaction = submitTransaction;\n\n simulateTransaction = simulateTransaction;\n\n signTransaction = signTransaction;\n\n signMessage = signMessage;\n\n signBuffer = signBuffer;\n\n signAndSubmitRawTransaction = signAndSubmitRawTransaction;\n\n fundAccount = fundAccount;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\nimport { GraphQLClient } from 'graphql-request';\nimport { getSdk } from './generated/sdk';\n\nexport default function makeClient(endpoint: string) {\n const graphqlClient = new GraphQLClient(endpoint);\n return getSdk(graphqlClient);\n}\n\nexport * from './generated/operations';\nexport * from './generated/types';\nexport type { Sdk } from './generated/sdk';\n","import * as Types from './operations';\n\nimport type { DocumentNode } from \"graphql/language/ast\";\n\nimport { GraphQLClient } from 'graphql-request';\nimport { GraphQLClientRequestHeaders } from 'graphql-request/build/cjs/types';\nimport gql from 'graphql-tag';\nexport const CoinActivityFieldsFragmentDoc = gql`\n fragment CoinActivityFields on coin_activities {\n transaction_timestamp\n transaction_version\n amount\n activity_type\n coin_type\n is_gas_fee\n is_transaction_success\n event_account_address\n event_creation_number\n event_sequence_number\n entry_function_id_str\n block_height\n}\n `;\nexport const TokensDataFieldsFragmentDoc = gql`\n fragment TokensDataFields on tokens {\n creator_address\n collection_name\n name\n token_data_id_hash\n collection_data_id_hash\n property_version\n token_properties\n transaction_timestamp\n transaction_version\n}\n `;\nexport const CollectionDataFieldsFragmentDoc = gql`\n fragment CollectionDataFields on current_collections_v2 {\n uri\n max_supply\n description\n collection_name\n collection_id\n creator_address\n cdn_asset_uris {\n cdn_image_uri\n }\n}\n `;\nexport const TokenDataFieldsFragmentDoc = gql`\n fragment TokenDataFields on current_token_datas_v2 {\n description\n token_uri\n token_name\n token_data_id\n current_collection {\n ...CollectionDataFields\n }\n token_properties\n token_standard\n cdn_asset_uris {\n cdn_image_uri\n }\n}\n ${CollectionDataFieldsFragmentDoc}`;\nexport const CurrentTokenPendingClaimsFragmentDoc = gql`\n fragment CurrentTokenPendingClaims on current_token_pending_claims {\n amount\n from_address\n to_address\n last_transaction_version\n last_transaction_timestamp\n property_version\n current_token_data_v2 {\n ...TokenDataFields\n }\n}\n ${TokenDataFieldsFragmentDoc}`;\nexport const TokenActivityFragmentDoc = gql`\n fragment TokenActivity on token_activities_v2 {\n current_token_data {\n token_name\n current_collection {\n creator_address\n collection_name\n collection_id\n }\n }\n token_amount\n token_data_id\n from_address\n to_address\n transaction_version\n transaction_timestamp\n type\n event_account_address\n token_amount\n property_version_v1\n}\n `;\nexport const GetAccountCoinActivityDocument = gql`\n query getAccountCoinActivity($address: String!, $offset: Int, $limit: Int) {\n coin_activities(\n where: {owner_address: {_eq: $address}}\n limit: $limit\n offset: $offset\n order_by: [{transaction_version: desc}, {event_account_address: desc}, {event_creation_number: desc}, {event_sequence_number: desc}]\n ) {\n ...CoinActivityFields\n }\n}\n ${CoinActivityFieldsFragmentDoc}`;\nexport const GetAccountTokensTotalDocument = gql`\n query getAccountTokensTotal($address: String!, $where: [current_token_ownerships_v2_bool_exp!]!) {\n current_token_ownerships_v2_aggregate(\n where: {owner_address: {_eq: $address}, amount: {_gt: 0}, _and: $where}\n ) {\n aggregate {\n count\n }\n }\n}\n `;\nexport const GetAccountCurrentTokensDocument = gql`\n query getAccountCurrentTokens($address: String!, $where: [current_token_ownerships_v2_bool_exp!]!, $offset: Int, $limit: Int) {\n current_token_ownerships_v2(\n where: {owner_address: {_eq: $address}, amount: {_gt: 0}, _or: [{table_type_v1: {_eq: \"0x3::token::TokenStore\"}}, {table_type_v1: {_is_null: true}}], _and: $where}\n order_by: [{last_transaction_version: desc}, {token_data_id: desc}]\n offset: $offset\n limit: $limit\n ) {\n amount\n current_token_data {\n ...TokenDataFields\n }\n last_transaction_version\n property_version_v1\n token_properties_mutated_v1\n is_soulbound_v2\n is_fungible_v2\n }\n current_token_ownerships_v2_aggregate(\n where: {owner_address: {_eq: $address}, amount: {_gt: 0}}\n ) {\n aggregate {\n count\n }\n }\n}\n ${TokenDataFieldsFragmentDoc}`;\nexport const GetAccountCollectionsDocument = gql`\n query getAccountCollections($address: String!, $offset: Int, $limit: Int) {\n current_collection_ownership_v2_view(\n where: {owner_address: {_eq: $address}}\n offset: $offset\n limit: $limit\n order_by: [{last_transaction_version: desc}, {collection_id: desc}]\n ) {\n distinct_tokens\n single_token_uri\n current_collection {\n collection_id\n collection_name\n creator_address\n description\n uri\n cdn_asset_uris {\n cdn_image_uri\n }\n }\n }\n}\n `;\nexport const GetCollectionsFloorPriceDocument = gql`\n query getCollectionsFloorPrice($collectionIds: [String!]!) {\n nft_marketplace_v2_current_nft_marketplace_listings(\n distinct_on: collection_id\n where: {collection_id: {_in: $collectionIds}, is_deleted: {_eq: false}}\n order_by: [{collection_id: asc}, {price: asc}]\n ) {\n collection_id\n coin_type\n price\n }\n}\n `;\nexport const GetTokenDataDocument = gql`\n query getTokenData($address: String!) {\n current_token_datas_v2(where: {token_data_id: {_eq: $address}}) {\n ...TokenDataFields\n last_transaction_version\n }\n}\n ${TokenDataFieldsFragmentDoc}`;\nexport const GetTokenPendingClaimsDocument = gql`\n query getTokenPendingClaims($address: String!, $offset: Int, $limit: Int) {\n current_token_pending_claims(\n where: {_or: [{from_address: {_eq: $address}, amount: {_gt: \"0\"}}, {to_address: {_eq: $address}, amount: {_gt: \"0\"}}]}\n order_by: [{last_transaction_timestamp: desc}, {last_transaction_version: desc}]\n offset: $offset\n limit: $limit\n ) {\n ...CurrentTokenPendingClaims\n }\n}\n ${CurrentTokenPendingClaimsFragmentDoc}`;\nexport const GetPendingClaimsForTokenDocument = gql`\n query getPendingClaimsForToken($token_data_id_hash: String!, $offset: Int, $limit: Int) {\n current_token_pending_claims(\n where: {token_data_id_hash: {_eq: $token_data_id_hash}, amount: {_gt: \"0\"}}\n order_by: [{last_transaction_timestamp: desc}, {last_transaction_version: desc}]\n offset: $offset\n limit: $limit\n ) {\n ...CurrentTokenPendingClaims\n }\n}\n ${CurrentTokenPendingClaimsFragmentDoc}`;\nexport const GetActivitiesAggregateDocument = gql`\n query getActivitiesAggregate($account_address: String!) {\n address_events_summary(where: {account_address: {_eq: $account_address}}) {\n block_metadata {\n timestamp\n }\n num_distinct_versions\n }\n}\n `;\nexport const GetTokenActivitiesDocument = gql`\n query getTokenActivities($tokenId: String!, $offset: Int, $limit: Int) {\n token_activities_v2(\n where: {token_data_id: {_eq: $tokenId}}\n order_by: [{transaction_timestamp: desc}, {transaction_version: desc}]\n offset: $offset\n limit: $limit\n ) {\n ...TokenActivity\n }\n}\n ${TokenActivityFragmentDoc}`;\nexport const GetTokenAcquisitionActivityDocument = gql`\n query getTokenAcquisitionActivity($address: String!, $tokenId: String!) {\n token_activities_v2(\n where: {token_data_id: {_eq: $tokenId}, to_address: {_eq: $address}}\n order_by: [{transaction_timestamp: desc}, {transaction_version: desc}]\n ) {\n transaction_timestamp\n }\n}\n `;\nexport const GetProcessorLastVersionDocument = gql`\n query getProcessorLastVersion($processor: String!) {\n processor_status(where: {processor: {_eq: $processor}}) {\n last_success_version\n }\n}\n `;\nexport const GetConsolidatedActivitiesDocument = gql`\n query getConsolidatedActivities($address: String!, $max_transaction_version: bigint, $limit: Int, $where: [account_transactions_bool_exp!], $fungible_asset_activities_where: [fungible_asset_activities_bool_exp!], $token_activities_where: [token_activities_bool_exp!]) {\n account_transactions(\n where: {account_address: {_eq: $address}, transaction_version: {_lt: $max_transaction_version}, _and: $where}\n limit: $limit\n order_by: {transaction_version: desc}\n ) {\n transaction_version\n fungible_asset_activities(where: {_and: $fungible_asset_activities_where}) {\n type\n amount\n owner_aptos_names {\n domain\n }\n block_height\n asset_type\n metadata {\n decimals\n name\n symbol\n asset_type\n }\n entry_function_id_str\n owner_address\n event_index\n is_gas_fee\n is_transaction_success\n transaction_timestamp\n transaction_version\n }\n delegated_staking_activities(order_by: {event_index: desc}) {\n amount\n delegator_address\n event_index\n event_type\n pool_address\n transaction_version\n }\n token_activities(where: {_and: $token_activities_where}) {\n aptos_names_owner {\n domain\n }\n aptos_names_to {\n domain\n }\n coin_amount\n coin_type\n collection_data_id_hash\n collection_name\n creator_address\n current_token_data {\n metadata_uri\n }\n event_account_address\n event_creation_number\n event_sequence_number\n from_address\n name\n property_version\n to_address\n token_amount\n token_data_id_hash\n transaction_timestamp\n transaction_version\n transfer_type\n }\n }\n}\n `;\nexport const GetDelegatedStakingRoyaltiesDocument = gql`\n query getDelegatedStakingRoyalties($address: String!, $pool: String) {\n delegated_staking_activities(\n where: {delegator_address: {_eq: $address}, pool_address: {_eq: $pool}}\n order_by: {transaction_version: desc}\n ) {\n amount\n delegator_address\n event_index\n event_type\n pool_address\n transaction_version\n }\n}\n `;\nexport const GetDelegatedStakingDocument = gql`\n query getDelegatedStaking($address: String!) {\n delegator_distinct_pool(where: {delegator_address: {_eq: $address}}) {\n delegator_address\n pool_address\n current_pool_balance {\n operator_commission_percentage\n }\n staking_pool_metadata {\n operator_address\n operator_aptos_name {\n domain\n }\n }\n }\n}\n `;\nexport const GetDelegationPoolsDocument = gql`\n query getDelegationPools {\n delegated_staking_pools {\n staking_pool_address\n current_staking_pool {\n operator_address\n }\n }\n}\n `;\nexport const GetNumberOfDelegatorsDocument = gql`\n query getNumberOfDelegators($poolAddress: String) {\n num_active_delegator_per_pool(\n where: {pool_address: {_eq: $poolAddress}, num_active_delegator: {_gt: \"0\"}}\n distinct_on: pool_address\n ) {\n num_active_delegator\n }\n}\n `;\n\nexport type SdkFunctionWrapper = <T>(action: (requestHeaders?:Record<string, string>) => Promise<T>, operationName: string, operationType?: string) => Promise<T>;\n\n\nconst defaultWrapper: SdkFunctionWrapper = (action, _operationName, _operationType) => action();\n\nexport function getSdk(client: GraphQLClient, withWrapper: SdkFunctionWrapper = defaultWrapper) {\n return {\n getAccountCoinActivity(variables: Types.GetAccountCoinActivityQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetAccountCoinActivityQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetAccountCoinActivityQuery>(GetAccountCoinActivityDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getAccountCoinActivity', 'query');\n },\n getAccountTokensTotal(variables: Types.GetAccountTokensTotalQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetAccountTokensTotalQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetAccountTokensTotalQuery>(GetAccountTokensTotalDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getAccountTokensTotal', 'query');\n },\n getAccountCurrentTokens(variables: Types.GetAccountCurrentTokensQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetAccountCurrentTokensQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetAccountCurrentTokensQuery>(GetAccountCurrentTokensDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getAccountCurrentTokens', 'query');\n },\n getAccountCollections(variables: Types.GetAccountCollectionsQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetAccountCollectionsQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetAccountCollectionsQuery>(GetAccountCollectionsDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getAccountCollections', 'query');\n },\n getCollectionsFloorPrice(variables: Types.GetCollectionsFloorPriceQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetCollectionsFloorPriceQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetCollectionsFloorPriceQuery>(GetCollectionsFloorPriceDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getCollectionsFloorPrice', 'query');\n },\n getTokenData(variables: Types.GetTokenDataQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetTokenDataQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetTokenDataQuery>(GetTokenDataDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getTokenData', 'query');\n },\n getTokenPendingClaims(variables: Types.GetTokenPendingClaimsQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetTokenPendingClaimsQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetTokenPendingClaimsQuery>(GetTokenPendingClaimsDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getTokenPendingClaims', 'query');\n },\n getPendingClaimsForToken(variables: Types.GetPendingClaimsForTokenQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetPendingClaimsForTokenQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetPendingClaimsForTokenQuery>(GetPendingClaimsForTokenDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getPendingClaimsForToken', 'query');\n },\n getActivitiesAggregate(variables: Types.GetActivitiesAggregateQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetActivitiesAggregateQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetActivitiesAggregateQuery>(GetActivitiesAggregateDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getActivitiesAggregate', 'query');\n },\n getTokenActivities(variables: Types.GetTokenActivitiesQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetTokenActivitiesQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetTokenActivitiesQuery>(GetTokenActivitiesDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getTokenActivities', 'query');\n },\n getTokenAcquisitionActivity(variables: Types.GetTokenAcquisitionActivityQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetTokenAcquisitionActivityQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetTokenAcquisitionActivityQuery>(GetTokenAcquisitionActivityDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getTokenAcquisitionActivity', 'query');\n },\n getProcessorLastVersion(variables: Types.GetProcessorLastVersionQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetProcessorLastVersionQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetProcessorLastVersionQuery>(GetProcessorLastVersionDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getProcessorLastVersion', 'query');\n },\n getConsolidatedActivities(variables: Types.GetConsolidatedActivitiesQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetConsolidatedActivitiesQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetConsolidatedActivitiesQuery>(GetConsolidatedActivitiesDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getConsolidatedActivities', 'query');\n },\n getDelegatedStakingRoyalties(variables: Types.GetDelegatedStakingRoyaltiesQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetDelegatedStakingRoyaltiesQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetDelegatedStakingRoyaltiesQuery>(GetDelegatedStakingRoyaltiesDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getDelegatedStakingRoyalties', 'query');\n },\n getDelegatedStaking(variables: Types.GetDelegatedStakingQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetDelegatedStakingQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetDelegatedStakingQuery>(GetDelegatedStakingDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getDelegatedStaking', 'query');\n },\n getDelegationPools(variables?: Types.GetDelegationPoolsQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetDelegationPoolsQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetDelegationPoolsQuery>(GetDelegationPoolsDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getDelegationPools', 'query');\n },\n getNumberOfDelegators(variables?: Types.GetNumberOfDelegatorsQueryVariables, requestHeaders?: GraphQLClientRequestHeaders): Promise<Types.GetNumberOfDelegatorsQuery> {\n return withWrapper((wrappedRequestHeaders) => client.request<Types.GetNumberOfDelegatorsQuery>(GetNumberOfDelegatorsDocument, variables, {...requestHeaders, ...wrappedRequestHeaders}), 'getNumberOfDelegators', 'query');\n }\n };\n}\nexport type Sdk = ReturnType<typeof getSdk>;","export type Maybe<T> = T | null;\nexport type InputMaybe<T> = Maybe<T>;\nexport type Exact<T extends { [key: string]: unknown }> = { [K in keyof T]: T[K] };\nexport type MakeOptional<T, K extends keyof T> = Omit<T, K> & { [SubKey in K]?: Maybe<T[SubKey]> };\nexport type MakeMaybe<T, K extends keyof T> = Omit<T, K> & { [SubKey in K]: Maybe<T[SubKey]> };\nexport type MakeEmpty<T extends { [key: string]: unknown }, K extends keyof T> = { [_ in K]?: never };\nexport type Incremental<T> = T | { [P in keyof T]?: P extends ' $fragmentName' | '__typename' ? T[P] : never };\n/** All built-in and custom scalars, mapped to their actual values */\nexport type Scalars = {\n ID: { input: string; output: string; }\n String: { input: string; output: string; }\n Boolean: { input: boolean; output: boolean; }\n Int: { input: number; output: number; }\n Float: { input: number; output: number; }\n bigint: { input: any; output: any; }\n jsonb: { input: any; output: any; }\n numeric: { input: number; output: number; }\n timestamp: { input: any; output: any; }\n timestamptz: { input: any; output: any; }\n};\n\n/** Boolean expression to compare columns of type \"Boolean\". All fields are combined with logical 'AND'. */\nexport type Boolean_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['Boolean']['input']>;\n _gt?: InputMaybe<Scalars['Boolean']['input']>;\n _gte?: InputMaybe<Scalars['Boolean']['input']>;\n _in?: InputMaybe<Array<Scalars['Boolean']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['Boolean']['input']>;\n _lte?: InputMaybe<Scalars['Boolean']['input']>;\n _neq?: InputMaybe<Scalars['Boolean']['input']>;\n _nin?: InputMaybe<Array<Scalars['Boolean']['input']>>;\n};\n\n/** Boolean expression to compare columns of type \"Int\". All fields are combined with logical 'AND'. */\nexport type Int_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['Int']['input']>;\n _gt?: InputMaybe<Scalars['Int']['input']>;\n _gte?: InputMaybe<Scalars['Int']['input']>;\n _in?: InputMaybe<Array<Scalars['Int']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['Int']['input']>;\n _lte?: InputMaybe<Scalars['Int']['input']>;\n _neq?: InputMaybe<Scalars['Int']['input']>;\n _nin?: InputMaybe<Array<Scalars['Int']['input']>>;\n};\n\n/** Boolean expression to compare columns of type \"String\". All fields are combined with logical 'AND'. */\nexport type String_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['String']['input']>;\n _gt?: InputMaybe<Scalars['String']['input']>;\n _gte?: InputMaybe<Scalars['String']['input']>;\n /** does the column match the given case-insensitive pattern */\n _ilike?: InputMaybe<Scalars['String']['input']>;\n _in?: InputMaybe<Array<Scalars['String']['input']>>;\n /** does the column match the given POSIX regular expression, case insensitive */\n _iregex?: InputMaybe<Scalars['String']['input']>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n /** does the column match the given pattern */\n _like?: InputMaybe<Scalars['String']['input']>;\n _lt?: InputMaybe<Scalars['String']['input']>;\n _lte?: InputMaybe<Scalars['String']['input']>;\n _neq?: InputMaybe<Scalars['String']['input']>;\n /** does the column NOT match the given case-insensitive pattern */\n _nilike?: InputMaybe<Scalars['String']['input']>;\n _nin?: InputMaybe<Array<Scalars['String']['input']>>;\n /** does the column NOT match the given POSIX regular expression, case insensitive */\n _niregex?: InputMaybe<Scalars['String']['input']>;\n /** does the column NOT match the given pattern */\n _nlike?: InputMaybe<Scalars['String']['input']>;\n /** does the column NOT match the given POSIX regular expression, case sensitive */\n _nregex?: InputMaybe<Scalars['String']['input']>;\n /** does the column NOT match the given SQL regular expression */\n _nsimilar?: InputMaybe<Scalars['String']['input']>;\n /** does the column match the given POSIX regular expression, case sensitive */\n _regex?: InputMaybe<Scalars['String']['input']>;\n /** does the column match the given SQL regular expression */\n _similar?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_Transactions = {\n __typename?: 'account_transactions';\n account_address: Scalars['String']['output'];\n /** An array relationship */\n coin_activities: Array<Coin_Activities>;\n /** An aggregate relationship */\n coin_activities_aggregate: Coin_Activities_Aggregate;\n /** An array relationship */\n delegated_staking_activities: Array<Delegated_Staking_Activities>;\n /** An array relationship */\n fungible_asset_activities: Array<Fungible_Asset_Activities>;\n /** An array relationship */\n token_activities: Array<Token_Activities>;\n /** An aggregate relationship */\n token_activities_aggregate: Token_Activities_Aggregate;\n /** An array relationship */\n token_activities_v2: Array<Token_Activities_V2>;\n /** An aggregate relationship */\n token_activities_v2_aggregate: Token_Activities_V2_Aggregate;\n transaction_version: Scalars['bigint']['output'];\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsCoin_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsCoin_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsDelegated_Staking_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Activities_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsFungible_Asset_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Fungible_Asset_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Fungible_Asset_Activities_Order_By>>;\n where?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsToken_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsToken_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsToken_Activities_V2Args = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"account_transactions\" */\nexport type Account_TransactionsToken_Activities_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n/** aggregated selection of \"account_transactions\" */\nexport type Account_Transactions_Aggregate = {\n __typename?: 'account_transactions_aggregate';\n aggregate?: Maybe<Account_Transactions_Aggregate_Fields>;\n nodes: Array<Account_Transactions>;\n};\n\n/** aggregate fields of \"account_transactions\" */\nexport type Account_Transactions_Aggregate_Fields = {\n __typename?: 'account_transactions_aggregate_fields';\n avg?: Maybe<Account_Transactions_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Account_Transactions_Max_Fields>;\n min?: Maybe<Account_Transactions_Min_Fields>;\n stddev?: Maybe<Account_Transactions_Stddev_Fields>;\n stddev_pop?: Maybe<Account_Transactions_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Account_Transactions_Stddev_Samp_Fields>;\n sum?: Maybe<Account_Transactions_Sum_Fields>;\n var_pop?: Maybe<Account_Transactions_Var_Pop_Fields>;\n var_samp?: Maybe<Account_Transactions_Var_Samp_Fields>;\n variance?: Maybe<Account_Transactions_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"account_transactions\" */\nexport type Account_Transactions_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Account_Transactions_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Account_Transactions_Avg_Fields = {\n __typename?: 'account_transactions_avg_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"account_transactions\". All fields are combined with a logical 'AND'. */\nexport type Account_Transactions_Bool_Exp = {\n _and?: InputMaybe<Array<Account_Transactions_Bool_Exp>>;\n _not?: InputMaybe<Account_Transactions_Bool_Exp>;\n _or?: InputMaybe<Array<Account_Transactions_Bool_Exp>>;\n account_address?: InputMaybe<String_Comparison_Exp>;\n coin_activities?: InputMaybe<Coin_Activities_Bool_Exp>;\n delegated_staking_activities?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n fungible_asset_activities?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n token_activities?: InputMaybe<Token_Activities_Bool_Exp>;\n token_activities_v2?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Account_Transactions_Max_Fields = {\n __typename?: 'account_transactions_max_fields';\n account_address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Account_Transactions_Min_Fields = {\n __typename?: 'account_transactions_min_fields';\n account_address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** Ordering options when selecting data from \"account_transactions\". */\nexport type Account_Transactions_Order_By = {\n account_address?: InputMaybe<Order_By>;\n coin_activities_aggregate?: InputMaybe<Coin_Activities_Aggregate_Order_By>;\n delegated_staking_activities_aggregate?: InputMaybe<Delegated_Staking_Activities_Aggregate_Order_By>;\n fungible_asset_activities_aggregate?: InputMaybe<Fungible_Asset_Activities_Aggregate_Order_By>;\n token_activities_aggregate?: InputMaybe<Token_Activities_Aggregate_Order_By>;\n token_activities_v2_aggregate?: InputMaybe<Token_Activities_V2_Aggregate_Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"account_transactions\" */\nexport enum Account_Transactions_Select_Column {\n /** column name */\n AccountAddress = 'account_address',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** aggregate stddev on columns */\nexport type Account_Transactions_Stddev_Fields = {\n __typename?: 'account_transactions_stddev_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Account_Transactions_Stddev_Pop_Fields = {\n __typename?: 'account_transactions_stddev_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Account_Transactions_Stddev_Samp_Fields = {\n __typename?: 'account_transactions_stddev_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"account_transactions\" */\nexport type Account_Transactions_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Account_Transactions_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Account_Transactions_Stream_Cursor_Value_Input = {\n account_address?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Account_Transactions_Sum_Fields = {\n __typename?: 'account_transactions_sum_fields';\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Account_Transactions_Var_Pop_Fields = {\n __typename?: 'account_transactions_var_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Account_Transactions_Var_Samp_Fields = {\n __typename?: 'account_transactions_var_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Account_Transactions_Variance_Fields = {\n __typename?: 'account_transactions_variance_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** columns and relationships of \"address_events_summary\" */\nexport type Address_Events_Summary = {\n __typename?: 'address_events_summary';\n account_address?: Maybe<Scalars['String']['output']>;\n /** An object relationship */\n block_metadata?: Maybe<Block_Metadata_Transactions>;\n min_block_height?: Maybe<Scalars['bigint']['output']>;\n num_distinct_versions?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"address_events_summary\". All fields are combined with a logical 'AND'. */\nexport type Address_Events_Summary_Bool_Exp = {\n _and?: InputMaybe<Array<Address_Events_Summary_Bool_Exp>>;\n _not?: InputMaybe<Address_Events_Summary_Bool_Exp>;\n _or?: InputMaybe<Array<Address_Events_Summary_Bool_Exp>>;\n account_address?: InputMaybe<String_Comparison_Exp>;\n block_metadata?: InputMaybe<Block_Metadata_Transactions_Bool_Exp>;\n min_block_height?: InputMaybe<Bigint_Comparison_Exp>;\n num_distinct_versions?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"address_events_summary\". */\nexport type Address_Events_Summary_Order_By = {\n account_address?: InputMaybe<Order_By>;\n block_metadata?: InputMaybe<Block_Metadata_Transactions_Order_By>;\n min_block_height?: InputMaybe<Order_By>;\n num_distinct_versions?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"address_events_summary\" */\nexport enum Address_Events_Summary_Select_Column {\n /** column name */\n AccountAddress = 'account_address',\n /** column name */\n MinBlockHeight = 'min_block_height',\n /** column name */\n NumDistinctVersions = 'num_distinct_versions'\n}\n\n/** Streaming cursor of the table \"address_events_summary\" */\nexport type Address_Events_Summary_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Address_Events_Summary_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Address_Events_Summary_Stream_Cursor_Value_Input = {\n account_address?: InputMaybe<Scalars['String']['input']>;\n min_block_height?: InputMaybe<Scalars['bigint']['input']>;\n num_distinct_versions?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_Events = {\n __typename?: 'address_version_from_events';\n account_address?: Maybe<Scalars['String']['output']>;\n /** An array relationship */\n coin_activities: Array<Coin_Activities>;\n /** An aggregate relationship */\n coin_activities_aggregate: Coin_Activities_Aggregate;\n /** An array relationship */\n delegated_staking_activities: Array<Delegated_Staking_Activities>;\n /** An array relationship */\n token_activities: Array<Token_Activities>;\n /** An aggregate relationship */\n token_activities_aggregate: Token_Activities_Aggregate;\n /** An array relationship */\n token_activities_v2: Array<Token_Activities_V2>;\n /** An aggregate relationship */\n token_activities_v2_aggregate: Token_Activities_V2_Aggregate;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsCoin_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsCoin_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsDelegated_Staking_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Activities_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsToken_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsToken_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsToken_Activities_V2Args = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_events\" */\nexport type Address_Version_From_EventsToken_Activities_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n/** aggregated selection of \"address_version_from_events\" */\nexport type Address_Version_From_Events_Aggregate = {\n __typename?: 'address_version_from_events_aggregate';\n aggregate?: Maybe<Address_Version_From_Events_Aggregate_Fields>;\n nodes: Array<Address_Version_From_Events>;\n};\n\n/** aggregate fields of \"address_version_from_events\" */\nexport type Address_Version_From_Events_Aggregate_Fields = {\n __typename?: 'address_version_from_events_aggregate_fields';\n avg?: Maybe<Address_Version_From_Events_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Address_Version_From_Events_Max_Fields>;\n min?: Maybe<Address_Version_From_Events_Min_Fields>;\n stddev?: Maybe<Address_Version_From_Events_Stddev_Fields>;\n stddev_pop?: Maybe<Address_Version_From_Events_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Address_Version_From_Events_Stddev_Samp_Fields>;\n sum?: Maybe<Address_Version_From_Events_Sum_Fields>;\n var_pop?: Maybe<Address_Version_From_Events_Var_Pop_Fields>;\n var_samp?: Maybe<Address_Version_From_Events_Var_Samp_Fields>;\n variance?: Maybe<Address_Version_From_Events_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"address_version_from_events\" */\nexport type Address_Version_From_Events_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Address_Version_From_Events_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Address_Version_From_Events_Avg_Fields = {\n __typename?: 'address_version_from_events_avg_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"address_version_from_events\". All fields are combined with a logical 'AND'. */\nexport type Address_Version_From_Events_Bool_Exp = {\n _and?: InputMaybe<Array<Address_Version_From_Events_Bool_Exp>>;\n _not?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n _or?: InputMaybe<Array<Address_Version_From_Events_Bool_Exp>>;\n account_address?: InputMaybe<String_Comparison_Exp>;\n coin_activities?: InputMaybe<Coin_Activities_Bool_Exp>;\n delegated_staking_activities?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n token_activities?: InputMaybe<Token_Activities_Bool_Exp>;\n token_activities_v2?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Address_Version_From_Events_Max_Fields = {\n __typename?: 'address_version_from_events_max_fields';\n account_address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Address_Version_From_Events_Min_Fields = {\n __typename?: 'address_version_from_events_min_fields';\n account_address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** Ordering options when selecting data from \"address_version_from_events\". */\nexport type Address_Version_From_Events_Order_By = {\n account_address?: InputMaybe<Order_By>;\n coin_activities_aggregate?: InputMaybe<Coin_Activities_Aggregate_Order_By>;\n delegated_staking_activities_aggregate?: InputMaybe<Delegated_Staking_Activities_Aggregate_Order_By>;\n token_activities_aggregate?: InputMaybe<Token_Activities_Aggregate_Order_By>;\n token_activities_v2_aggregate?: InputMaybe<Token_Activities_V2_Aggregate_Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"address_version_from_events\" */\nexport enum Address_Version_From_Events_Select_Column {\n /** column name */\n AccountAddress = 'account_address',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** aggregate stddev on columns */\nexport type Address_Version_From_Events_Stddev_Fields = {\n __typename?: 'address_version_from_events_stddev_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Address_Version_From_Events_Stddev_Pop_Fields = {\n __typename?: 'address_version_from_events_stddev_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Address_Version_From_Events_Stddev_Samp_Fields = {\n __typename?: 'address_version_from_events_stddev_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"address_version_from_events\" */\nexport type Address_Version_From_Events_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Address_Version_From_Events_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Address_Version_From_Events_Stream_Cursor_Value_Input = {\n account_address?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Address_Version_From_Events_Sum_Fields = {\n __typename?: 'address_version_from_events_sum_fields';\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Address_Version_From_Events_Var_Pop_Fields = {\n __typename?: 'address_version_from_events_var_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Address_Version_From_Events_Var_Samp_Fields = {\n __typename?: 'address_version_from_events_var_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Address_Version_From_Events_Variance_Fields = {\n __typename?: 'address_version_from_events_variance_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_Resources = {\n __typename?: 'address_version_from_move_resources';\n address?: Maybe<Scalars['String']['output']>;\n /** An array relationship */\n coin_activities: Array<Coin_Activities>;\n /** An aggregate relationship */\n coin_activities_aggregate: Coin_Activities_Aggregate;\n /** An array relationship */\n delegated_staking_activities: Array<Delegated_Staking_Activities>;\n /** An array relationship */\n token_activities: Array<Token_Activities>;\n /** An aggregate relationship */\n token_activities_aggregate: Token_Activities_Aggregate;\n /** An array relationship */\n token_activities_v2: Array<Token_Activities_V2>;\n /** An aggregate relationship */\n token_activities_v2_aggregate: Token_Activities_V2_Aggregate;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesCoin_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesCoin_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesDelegated_Staking_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Activities_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesToken_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesToken_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesToken_Activities_V2Args = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_ResourcesToken_Activities_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n/** aggregated selection of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_Resources_Aggregate = {\n __typename?: 'address_version_from_move_resources_aggregate';\n aggregate?: Maybe<Address_Version_From_Move_Resources_Aggregate_Fields>;\n nodes: Array<Address_Version_From_Move_Resources>;\n};\n\n/** aggregate fields of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_Resources_Aggregate_Fields = {\n __typename?: 'address_version_from_move_resources_aggregate_fields';\n avg?: Maybe<Address_Version_From_Move_Resources_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Address_Version_From_Move_Resources_Max_Fields>;\n min?: Maybe<Address_Version_From_Move_Resources_Min_Fields>;\n stddev?: Maybe<Address_Version_From_Move_Resources_Stddev_Fields>;\n stddev_pop?: Maybe<Address_Version_From_Move_Resources_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Address_Version_From_Move_Resources_Stddev_Samp_Fields>;\n sum?: Maybe<Address_Version_From_Move_Resources_Sum_Fields>;\n var_pop?: Maybe<Address_Version_From_Move_Resources_Var_Pop_Fields>;\n var_samp?: Maybe<Address_Version_From_Move_Resources_Var_Samp_Fields>;\n variance?: Maybe<Address_Version_From_Move_Resources_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_Resources_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Address_Version_From_Move_Resources_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Address_Version_From_Move_Resources_Avg_Fields = {\n __typename?: 'address_version_from_move_resources_avg_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"address_version_from_move_resources\". All fields are combined with a logical 'AND'. */\nexport type Address_Version_From_Move_Resources_Bool_Exp = {\n _and?: InputMaybe<Array<Address_Version_From_Move_Resources_Bool_Exp>>;\n _not?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n _or?: InputMaybe<Array<Address_Version_From_Move_Resources_Bool_Exp>>;\n address?: InputMaybe<String_Comparison_Exp>;\n coin_activities?: InputMaybe<Coin_Activities_Bool_Exp>;\n delegated_staking_activities?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n token_activities?: InputMaybe<Token_Activities_Bool_Exp>;\n token_activities_v2?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Address_Version_From_Move_Resources_Max_Fields = {\n __typename?: 'address_version_from_move_resources_max_fields';\n address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Address_Version_From_Move_Resources_Min_Fields = {\n __typename?: 'address_version_from_move_resources_min_fields';\n address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** Ordering options when selecting data from \"address_version_from_move_resources\". */\nexport type Address_Version_From_Move_Resources_Order_By = {\n address?: InputMaybe<Order_By>;\n coin_activities_aggregate?: InputMaybe<Coin_Activities_Aggregate_Order_By>;\n delegated_staking_activities_aggregate?: InputMaybe<Delegated_Staking_Activities_Aggregate_Order_By>;\n token_activities_aggregate?: InputMaybe<Token_Activities_Aggregate_Order_By>;\n token_activities_v2_aggregate?: InputMaybe<Token_Activities_V2_Aggregate_Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"address_version_from_move_resources\" */\nexport enum Address_Version_From_Move_Resources_Select_Column {\n /** column name */\n Address = 'address',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** aggregate stddev on columns */\nexport type Address_Version_From_Move_Resources_Stddev_Fields = {\n __typename?: 'address_version_from_move_resources_stddev_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Address_Version_From_Move_Resources_Stddev_Pop_Fields = {\n __typename?: 'address_version_from_move_resources_stddev_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Address_Version_From_Move_Resources_Stddev_Samp_Fields = {\n __typename?: 'address_version_from_move_resources_stddev_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"address_version_from_move_resources\" */\nexport type Address_Version_From_Move_Resources_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Address_Version_From_Move_Resources_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Address_Version_From_Move_Resources_Stream_Cursor_Value_Input = {\n address?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Address_Version_From_Move_Resources_Sum_Fields = {\n __typename?: 'address_version_from_move_resources_sum_fields';\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Address_Version_From_Move_Resources_Var_Pop_Fields = {\n __typename?: 'address_version_from_move_resources_var_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Address_Version_From_Move_Resources_Var_Samp_Fields = {\n __typename?: 'address_version_from_move_resources_var_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Address_Version_From_Move_Resources_Variance_Fields = {\n __typename?: 'address_version_from_move_resources_variance_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to compare columns of type \"bigint\". All fields are combined with logical 'AND'. */\nexport type Bigint_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['bigint']['input']>;\n _gt?: InputMaybe<Scalars['bigint']['input']>;\n _gte?: InputMaybe<Scalars['bigint']['input']>;\n _in?: InputMaybe<Array<Scalars['bigint']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['bigint']['input']>;\n _lte?: InputMaybe<Scalars['bigint']['input']>;\n _neq?: InputMaybe<Scalars['bigint']['input']>;\n _nin?: InputMaybe<Array<Scalars['bigint']['input']>>;\n};\n\n/** columns and relationships of \"block_metadata_transactions\" */\nexport type Block_Metadata_Transactions = {\n __typename?: 'block_metadata_transactions';\n block_height: Scalars['bigint']['output'];\n epoch: Scalars['bigint']['output'];\n failed_proposer_indices: Scalars['jsonb']['output'];\n id: Scalars['String']['output'];\n previous_block_votes_bitvec: Scalars['jsonb']['output'];\n proposer: Scalars['String']['output'];\n round: Scalars['bigint']['output'];\n timestamp: Scalars['timestamp']['output'];\n version: Scalars['bigint']['output'];\n};\n\n\n/** columns and relationships of \"block_metadata_transactions\" */\nexport type Block_Metadata_TransactionsFailed_Proposer_IndicesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n\n/** columns and relationships of \"block_metadata_transactions\" */\nexport type Block_Metadata_TransactionsPrevious_Block_Votes_BitvecArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"block_metadata_transactions\". All fields are combined with a logical 'AND'. */\nexport type Block_Metadata_Transactions_Bool_Exp = {\n _and?: InputMaybe<Array<Block_Metadata_Transactions_Bool_Exp>>;\n _not?: InputMaybe<Block_Metadata_Transactions_Bool_Exp>;\n _or?: InputMaybe<Array<Block_Metadata_Transactions_Bool_Exp>>;\n block_height?: InputMaybe<Bigint_Comparison_Exp>;\n epoch?: InputMaybe<Bigint_Comparison_Exp>;\n failed_proposer_indices?: InputMaybe<Jsonb_Comparison_Exp>;\n id?: InputMaybe<String_Comparison_Exp>;\n previous_block_votes_bitvec?: InputMaybe<Jsonb_Comparison_Exp>;\n proposer?: InputMaybe<String_Comparison_Exp>;\n round?: InputMaybe<Bigint_Comparison_Exp>;\n timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"block_metadata_transactions\". */\nexport type Block_Metadata_Transactions_Order_By = {\n block_height?: InputMaybe<Order_By>;\n epoch?: InputMaybe<Order_By>;\n failed_proposer_indices?: InputMaybe<Order_By>;\n id?: InputMaybe<Order_By>;\n previous_block_votes_bitvec?: InputMaybe<Order_By>;\n proposer?: InputMaybe<Order_By>;\n round?: InputMaybe<Order_By>;\n timestamp?: InputMaybe<Order_By>;\n version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"block_metadata_transactions\" */\nexport enum Block_Metadata_Transactions_Select_Column {\n /** column name */\n BlockHeight = 'block_height',\n /** column name */\n Epoch = 'epoch',\n /** column name */\n FailedProposerIndices = 'failed_proposer_indices',\n /** column name */\n Id = 'id',\n /** column name */\n PreviousBlockVotesBitvec = 'previous_block_votes_bitvec',\n /** column name */\n Proposer = 'proposer',\n /** column name */\n Round = 'round',\n /** column name */\n Timestamp = 'timestamp',\n /** column name */\n Version = 'version'\n}\n\n/** Streaming cursor of the table \"block_metadata_transactions\" */\nexport type Block_Metadata_Transactions_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Block_Metadata_Transactions_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Block_Metadata_Transactions_Stream_Cursor_Value_Input = {\n block_height?: InputMaybe<Scalars['bigint']['input']>;\n epoch?: InputMaybe<Scalars['bigint']['input']>;\n failed_proposer_indices?: InputMaybe<Scalars['jsonb']['input']>;\n id?: InputMaybe<Scalars['String']['input']>;\n previous_block_votes_bitvec?: InputMaybe<Scalars['jsonb']['input']>;\n proposer?: InputMaybe<Scalars['String']['input']>;\n round?: InputMaybe<Scalars['bigint']['input']>;\n timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"coin_activities\" */\nexport type Coin_Activities = {\n __typename?: 'coin_activities';\n activity_type: Scalars['String']['output'];\n amount: Scalars['numeric']['output'];\n /** An array relationship */\n aptos_names: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n aptos_names_aggregate: Current_Aptos_Names_Aggregate;\n block_height: Scalars['bigint']['output'];\n /** An object relationship */\n coin_info?: Maybe<Coin_Infos>;\n coin_type: Scalars['String']['output'];\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address: Scalars['String']['output'];\n event_creation_number: Scalars['bigint']['output'];\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number: Scalars['bigint']['output'];\n is_gas_fee: Scalars['Boolean']['output'];\n is_transaction_success: Scalars['Boolean']['output'];\n owner_address: Scalars['String']['output'];\n storage_refund_amount: Scalars['numeric']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n\n/** columns and relationships of \"coin_activities\" */\nexport type Coin_ActivitiesAptos_NamesArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"coin_activities\" */\nexport type Coin_ActivitiesAptos_Names_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n/** aggregated selection of \"coin_activities\" */\nexport type Coin_Activities_Aggregate = {\n __typename?: 'coin_activities_aggregate';\n aggregate?: Maybe<Coin_Activities_Aggregate_Fields>;\n nodes: Array<Coin_Activities>;\n};\n\n/** aggregate fields of \"coin_activities\" */\nexport type Coin_Activities_Aggregate_Fields = {\n __typename?: 'coin_activities_aggregate_fields';\n avg?: Maybe<Coin_Activities_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Coin_Activities_Max_Fields>;\n min?: Maybe<Coin_Activities_Min_Fields>;\n stddev?: Maybe<Coin_Activities_Stddev_Fields>;\n stddev_pop?: Maybe<Coin_Activities_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Coin_Activities_Stddev_Samp_Fields>;\n sum?: Maybe<Coin_Activities_Sum_Fields>;\n var_pop?: Maybe<Coin_Activities_Var_Pop_Fields>;\n var_samp?: Maybe<Coin_Activities_Var_Samp_Fields>;\n variance?: Maybe<Coin_Activities_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"coin_activities\" */\nexport type Coin_Activities_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"coin_activities\" */\nexport type Coin_Activities_Aggregate_Order_By = {\n avg?: InputMaybe<Coin_Activities_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Coin_Activities_Max_Order_By>;\n min?: InputMaybe<Coin_Activities_Min_Order_By>;\n stddev?: InputMaybe<Coin_Activities_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Coin_Activities_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Coin_Activities_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Coin_Activities_Sum_Order_By>;\n var_pop?: InputMaybe<Coin_Activities_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Coin_Activities_Var_Samp_Order_By>;\n variance?: InputMaybe<Coin_Activities_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Coin_Activities_Avg_Fields = {\n __typename?: 'coin_activities_avg_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Avg_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"coin_activities\". All fields are combined with a logical 'AND'. */\nexport type Coin_Activities_Bool_Exp = {\n _and?: InputMaybe<Array<Coin_Activities_Bool_Exp>>;\n _not?: InputMaybe<Coin_Activities_Bool_Exp>;\n _or?: InputMaybe<Array<Coin_Activities_Bool_Exp>>;\n activity_type?: InputMaybe<String_Comparison_Exp>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n aptos_names?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n block_height?: InputMaybe<Bigint_Comparison_Exp>;\n coin_info?: InputMaybe<Coin_Infos_Bool_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n event_account_address?: InputMaybe<String_Comparison_Exp>;\n event_creation_number?: InputMaybe<Bigint_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n event_sequence_number?: InputMaybe<Bigint_Comparison_Exp>;\n is_gas_fee?: InputMaybe<Boolean_Comparison_Exp>;\n is_transaction_success?: InputMaybe<Boolean_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n storage_refund_amount?: InputMaybe<Numeric_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Coin_Activities_Max_Fields = {\n __typename?: 'coin_activities_max_fields';\n activity_type?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<Scalars['numeric']['output']>;\n block_height?: Maybe<Scalars['bigint']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n storage_refund_amount?: Maybe<Scalars['numeric']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by max() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Max_Order_By = {\n activity_type?: InputMaybe<Order_By>;\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Coin_Activities_Min_Fields = {\n __typename?: 'coin_activities_min_fields';\n activity_type?: Maybe<Scalars['String']['output']>;\n amount?: Maybe<Scalars['numeric']['output']>;\n block_height?: Maybe<Scalars['bigint']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n storage_refund_amount?: Maybe<Scalars['numeric']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by min() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Min_Order_By = {\n activity_type?: InputMaybe<Order_By>;\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"coin_activities\". */\nexport type Coin_Activities_Order_By = {\n activity_type?: InputMaybe<Order_By>;\n amount?: InputMaybe<Order_By>;\n aptos_names_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n block_height?: InputMaybe<Order_By>;\n coin_info?: InputMaybe<Coin_Infos_Order_By>;\n coin_type?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n is_gas_fee?: InputMaybe<Order_By>;\n is_transaction_success?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"coin_activities\" */\nexport enum Coin_Activities_Select_Column {\n /** column name */\n ActivityType = 'activity_type',\n /** column name */\n Amount = 'amount',\n /** column name */\n BlockHeight = 'block_height',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n EventAccountAddress = 'event_account_address',\n /** column name */\n EventCreationNumber = 'event_creation_number',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n EventSequenceNumber = 'event_sequence_number',\n /** column name */\n IsGasFee = 'is_gas_fee',\n /** column name */\n IsTransactionSuccess = 'is_transaction_success',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n StorageRefundAmount = 'storage_refund_amount',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** aggregate stddev on columns */\nexport type Coin_Activities_Stddev_Fields = {\n __typename?: 'coin_activities_stddev_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Stddev_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Coin_Activities_Stddev_Pop_Fields = {\n __typename?: 'coin_activities_stddev_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Stddev_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Coin_Activities_Stddev_Samp_Fields = {\n __typename?: 'coin_activities_stddev_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Stddev_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"coin_activities\" */\nexport type Coin_Activities_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Coin_Activities_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Coin_Activities_Stream_Cursor_Value_Input = {\n activity_type?: InputMaybe<Scalars['String']['input']>;\n amount?: InputMaybe<Scalars['numeric']['input']>;\n block_height?: InputMaybe<Scalars['bigint']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n event_account_address?: InputMaybe<Scalars['String']['input']>;\n event_creation_number?: InputMaybe<Scalars['bigint']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n event_sequence_number?: InputMaybe<Scalars['bigint']['input']>;\n is_gas_fee?: InputMaybe<Scalars['Boolean']['input']>;\n is_transaction_success?: InputMaybe<Scalars['Boolean']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n storage_refund_amount?: InputMaybe<Scalars['numeric']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Coin_Activities_Sum_Fields = {\n __typename?: 'coin_activities_sum_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n block_height?: Maybe<Scalars['bigint']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n storage_refund_amount?: Maybe<Scalars['numeric']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by sum() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Sum_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Coin_Activities_Var_Pop_Fields = {\n __typename?: 'coin_activities_var_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Var_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Coin_Activities_Var_Samp_Fields = {\n __typename?: 'coin_activities_var_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Var_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Coin_Activities_Variance_Fields = {\n __typename?: 'coin_activities_variance_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n block_height?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n storage_refund_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"coin_activities\" */\nexport type Coin_Activities_Variance_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"coin_balances\" */\nexport type Coin_Balances = {\n __typename?: 'coin_balances';\n amount: Scalars['numeric']['output'];\n coin_type: Scalars['String']['output'];\n coin_type_hash: Scalars['String']['output'];\n owner_address: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"coin_balances\". All fields are combined with a logical 'AND'. */\nexport type Coin_Balances_Bool_Exp = {\n _and?: InputMaybe<Array<Coin_Balances_Bool_Exp>>;\n _not?: InputMaybe<Coin_Balances_Bool_Exp>;\n _or?: InputMaybe<Array<Coin_Balances_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n coin_type_hash?: InputMaybe<String_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"coin_balances\". */\nexport type Coin_Balances_Order_By = {\n amount?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n coin_type_hash?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"coin_balances\" */\nexport enum Coin_Balances_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CoinTypeHash = 'coin_type_hash',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** Streaming cursor of the table \"coin_balances\" */\nexport type Coin_Balances_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Coin_Balances_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Coin_Balances_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n coin_type_hash?: InputMaybe<Scalars['String']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"coin_infos\" */\nexport type Coin_Infos = {\n __typename?: 'coin_infos';\n coin_type: Scalars['String']['output'];\n coin_type_hash: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n decimals: Scalars['Int']['output'];\n name: Scalars['String']['output'];\n supply_aggregator_table_handle?: Maybe<Scalars['String']['output']>;\n supply_aggregator_table_key?: Maybe<Scalars['String']['output']>;\n symbol: Scalars['String']['output'];\n transaction_created_timestamp: Scalars['timestamp']['output'];\n transaction_version_created: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"coin_infos\". All fields are combined with a logical 'AND'. */\nexport type Coin_Infos_Bool_Exp = {\n _and?: InputMaybe<Array<Coin_Infos_Bool_Exp>>;\n _not?: InputMaybe<Coin_Infos_Bool_Exp>;\n _or?: InputMaybe<Array<Coin_Infos_Bool_Exp>>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n coin_type_hash?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n decimals?: InputMaybe<Int_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n supply_aggregator_table_handle?: InputMaybe<String_Comparison_Exp>;\n supply_aggregator_table_key?: InputMaybe<String_Comparison_Exp>;\n symbol?: InputMaybe<String_Comparison_Exp>;\n transaction_created_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version_created?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"coin_infos\". */\nexport type Coin_Infos_Order_By = {\n coin_type?: InputMaybe<Order_By>;\n coin_type_hash?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n decimals?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n supply_aggregator_table_handle?: InputMaybe<Order_By>;\n supply_aggregator_table_key?: InputMaybe<Order_By>;\n symbol?: InputMaybe<Order_By>;\n transaction_created_timestamp?: InputMaybe<Order_By>;\n transaction_version_created?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"coin_infos\" */\nexport enum Coin_Infos_Select_Column {\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CoinTypeHash = 'coin_type_hash',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Decimals = 'decimals',\n /** column name */\n Name = 'name',\n /** column name */\n SupplyAggregatorTableHandle = 'supply_aggregator_table_handle',\n /** column name */\n SupplyAggregatorTableKey = 'supply_aggregator_table_key',\n /** column name */\n Symbol = 'symbol',\n /** column name */\n TransactionCreatedTimestamp = 'transaction_created_timestamp',\n /** column name */\n TransactionVersionCreated = 'transaction_version_created'\n}\n\n/** Streaming cursor of the table \"coin_infos\" */\nexport type Coin_Infos_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Coin_Infos_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Coin_Infos_Stream_Cursor_Value_Input = {\n coin_type?: InputMaybe<Scalars['String']['input']>;\n coin_type_hash?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n decimals?: InputMaybe<Scalars['Int']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n supply_aggregator_table_handle?: InputMaybe<Scalars['String']['input']>;\n supply_aggregator_table_key?: InputMaybe<Scalars['String']['input']>;\n symbol?: InputMaybe<Scalars['String']['input']>;\n transaction_created_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version_created?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"coin_supply\" */\nexport type Coin_Supply = {\n __typename?: 'coin_supply';\n coin_type: Scalars['String']['output'];\n coin_type_hash: Scalars['String']['output'];\n supply: Scalars['numeric']['output'];\n transaction_epoch: Scalars['bigint']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"coin_supply\". All fields are combined with a logical 'AND'. */\nexport type Coin_Supply_Bool_Exp = {\n _and?: InputMaybe<Array<Coin_Supply_Bool_Exp>>;\n _not?: InputMaybe<Coin_Supply_Bool_Exp>;\n _or?: InputMaybe<Array<Coin_Supply_Bool_Exp>>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n coin_type_hash?: InputMaybe<String_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n transaction_epoch?: InputMaybe<Bigint_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"coin_supply\". */\nexport type Coin_Supply_Order_By = {\n coin_type?: InputMaybe<Order_By>;\n coin_type_hash?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n transaction_epoch?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"coin_supply\" */\nexport enum Coin_Supply_Select_Column {\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CoinTypeHash = 'coin_type_hash',\n /** column name */\n Supply = 'supply',\n /** column name */\n TransactionEpoch = 'transaction_epoch',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** Streaming cursor of the table \"coin_supply\" */\nexport type Coin_Supply_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Coin_Supply_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Coin_Supply_Stream_Cursor_Value_Input = {\n coin_type?: InputMaybe<Scalars['String']['input']>;\n coin_type_hash?: InputMaybe<Scalars['String']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n transaction_epoch?: InputMaybe<Scalars['bigint']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"collection_datas\" */\nexport type Collection_Datas = {\n __typename?: 'collection_datas';\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n description: Scalars['String']['output'];\n description_mutable: Scalars['Boolean']['output'];\n maximum: Scalars['numeric']['output'];\n maximum_mutable: Scalars['Boolean']['output'];\n metadata_uri: Scalars['String']['output'];\n supply: Scalars['numeric']['output'];\n table_handle: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n uri_mutable: Scalars['Boolean']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"collection_datas\". All fields are combined with a logical 'AND'. */\nexport type Collection_Datas_Bool_Exp = {\n _and?: InputMaybe<Array<Collection_Datas_Bool_Exp>>;\n _not?: InputMaybe<Collection_Datas_Bool_Exp>;\n _or?: InputMaybe<Array<Collection_Datas_Bool_Exp>>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n description_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n maximum?: InputMaybe<Numeric_Comparison_Exp>;\n maximum_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n metadata_uri?: InputMaybe<String_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n uri_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"collection_datas\". */\nexport type Collection_Datas_Order_By = {\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n description?: InputMaybe<Order_By>;\n description_mutable?: InputMaybe<Order_By>;\n maximum?: InputMaybe<Order_By>;\n maximum_mutable?: InputMaybe<Order_By>;\n metadata_uri?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n uri_mutable?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"collection_datas\" */\nexport enum Collection_Datas_Select_Column {\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Description = 'description',\n /** column name */\n DescriptionMutable = 'description_mutable',\n /** column name */\n Maximum = 'maximum',\n /** column name */\n MaximumMutable = 'maximum_mutable',\n /** column name */\n MetadataUri = 'metadata_uri',\n /** column name */\n Supply = 'supply',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n UriMutable = 'uri_mutable'\n}\n\n/** Streaming cursor of the table \"collection_datas\" */\nexport type Collection_Datas_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Collection_Datas_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Collection_Datas_Stream_Cursor_Value_Input = {\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n description_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n maximum?: InputMaybe<Scalars['numeric']['input']>;\n maximum_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n metadata_uri?: InputMaybe<Scalars['String']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n uri_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** columns and relationships of \"current_ans_lookup\" */\nexport type Current_Ans_Lookup = {\n __typename?: 'current_ans_lookup';\n /** An array relationship */\n all_token_ownerships: Array<Current_Token_Ownerships>;\n /** An aggregate relationship */\n all_token_ownerships_aggregate: Current_Token_Ownerships_Aggregate;\n domain: Scalars['String']['output'];\n expiration_timestamp: Scalars['timestamp']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n registered_address?: Maybe<Scalars['String']['output']>;\n subdomain: Scalars['String']['output'];\n token_name: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"current_ans_lookup\" */\nexport type Current_Ans_LookupAll_Token_OwnershipsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"current_ans_lookup\" */\nexport type Current_Ans_LookupAll_Token_Ownerships_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n/** Boolean expression to filter rows from the table \"current_ans_lookup\". All fields are combined with a logical 'AND'. */\nexport type Current_Ans_Lookup_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Ans_Lookup_Bool_Exp>>;\n _not?: InputMaybe<Current_Ans_Lookup_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Ans_Lookup_Bool_Exp>>;\n all_token_ownerships?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n domain?: InputMaybe<String_Comparison_Exp>;\n expiration_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n registered_address?: InputMaybe<String_Comparison_Exp>;\n subdomain?: InputMaybe<String_Comparison_Exp>;\n token_name?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_ans_lookup\". */\nexport type Current_Ans_Lookup_Order_By = {\n all_token_ownerships_aggregate?: InputMaybe<Current_Token_Ownerships_Aggregate_Order_By>;\n domain?: InputMaybe<Order_By>;\n expiration_timestamp?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n registered_address?: InputMaybe<Order_By>;\n subdomain?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_ans_lookup\" */\nexport enum Current_Ans_Lookup_Select_Column {\n /** column name */\n Domain = 'domain',\n /** column name */\n ExpirationTimestamp = 'expiration_timestamp',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n RegisteredAddress = 'registered_address',\n /** column name */\n Subdomain = 'subdomain',\n /** column name */\n TokenName = 'token_name'\n}\n\n/** Streaming cursor of the table \"current_ans_lookup\" */\nexport type Current_Ans_Lookup_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Ans_Lookup_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Ans_Lookup_Stream_Cursor_Value_Input = {\n domain?: InputMaybe<Scalars['String']['input']>;\n expiration_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n registered_address?: InputMaybe<Scalars['String']['input']>;\n subdomain?: InputMaybe<Scalars['String']['input']>;\n token_name?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_ans_lookup_v2\" */\nexport type Current_Ans_Lookup_V2 = {\n __typename?: 'current_ans_lookup_v2';\n domain: Scalars['String']['output'];\n expiration_timestamp: Scalars['timestamp']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n registered_address?: Maybe<Scalars['String']['output']>;\n subdomain: Scalars['String']['output'];\n token_name?: Maybe<Scalars['String']['output']>;\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_ans_lookup_v2\". All fields are combined with a logical 'AND'. */\nexport type Current_Ans_Lookup_V2_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Ans_Lookup_V2_Bool_Exp>>;\n _not?: InputMaybe<Current_Ans_Lookup_V2_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Ans_Lookup_V2_Bool_Exp>>;\n domain?: InputMaybe<String_Comparison_Exp>;\n expiration_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n registered_address?: InputMaybe<String_Comparison_Exp>;\n subdomain?: InputMaybe<String_Comparison_Exp>;\n token_name?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_ans_lookup_v2\". */\nexport type Current_Ans_Lookup_V2_Order_By = {\n domain?: InputMaybe<Order_By>;\n expiration_timestamp?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n registered_address?: InputMaybe<Order_By>;\n subdomain?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_ans_lookup_v2\" */\nexport enum Current_Ans_Lookup_V2_Select_Column {\n /** column name */\n Domain = 'domain',\n /** column name */\n ExpirationTimestamp = 'expiration_timestamp',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n RegisteredAddress = 'registered_address',\n /** column name */\n Subdomain = 'subdomain',\n /** column name */\n TokenName = 'token_name',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"current_ans_lookup_v2\" */\nexport type Current_Ans_Lookup_V2_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Ans_Lookup_V2_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Ans_Lookup_V2_Stream_Cursor_Value_Input = {\n domain?: InputMaybe<Scalars['String']['input']>;\n expiration_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n registered_address?: InputMaybe<Scalars['String']['input']>;\n subdomain?: InputMaybe<Scalars['String']['input']>;\n token_name?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_aptos_names\" */\nexport type Current_Aptos_Names = {\n __typename?: 'current_aptos_names';\n domain?: Maybe<Scalars['String']['output']>;\n domain_with_suffix?: Maybe<Scalars['String']['output']>;\n expiration_timestamp?: Maybe<Scalars['timestamp']['output']>;\n is_active?: Maybe<Scalars['Boolean']['output']>;\n /** An object relationship */\n is_domain_owner?: Maybe<Current_Aptos_Names>;\n is_primary?: Maybe<Scalars['Boolean']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n registered_address?: Maybe<Scalars['String']['output']>;\n subdomain?: Maybe<Scalars['String']['output']>;\n token_name?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregated selection of \"current_aptos_names\" */\nexport type Current_Aptos_Names_Aggregate = {\n __typename?: 'current_aptos_names_aggregate';\n aggregate?: Maybe<Current_Aptos_Names_Aggregate_Fields>;\n nodes: Array<Current_Aptos_Names>;\n};\n\n/** aggregate fields of \"current_aptos_names\" */\nexport type Current_Aptos_Names_Aggregate_Fields = {\n __typename?: 'current_aptos_names_aggregate_fields';\n avg?: Maybe<Current_Aptos_Names_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Current_Aptos_Names_Max_Fields>;\n min?: Maybe<Current_Aptos_Names_Min_Fields>;\n stddev?: Maybe<Current_Aptos_Names_Stddev_Fields>;\n stddev_pop?: Maybe<Current_Aptos_Names_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Current_Aptos_Names_Stddev_Samp_Fields>;\n sum?: Maybe<Current_Aptos_Names_Sum_Fields>;\n var_pop?: Maybe<Current_Aptos_Names_Var_Pop_Fields>;\n var_samp?: Maybe<Current_Aptos_Names_Var_Samp_Fields>;\n variance?: Maybe<Current_Aptos_Names_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"current_aptos_names\" */\nexport type Current_Aptos_Names_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Aggregate_Order_By = {\n avg?: InputMaybe<Current_Aptos_Names_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Current_Aptos_Names_Max_Order_By>;\n min?: InputMaybe<Current_Aptos_Names_Min_Order_By>;\n stddev?: InputMaybe<Current_Aptos_Names_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Current_Aptos_Names_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Current_Aptos_Names_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Current_Aptos_Names_Sum_Order_By>;\n var_pop?: InputMaybe<Current_Aptos_Names_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Current_Aptos_Names_Var_Samp_Order_By>;\n variance?: InputMaybe<Current_Aptos_Names_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Current_Aptos_Names_Avg_Fields = {\n __typename?: 'current_aptos_names_avg_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Avg_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"current_aptos_names\". All fields are combined with a logical 'AND'. */\nexport type Current_Aptos_Names_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Aptos_Names_Bool_Exp>>;\n _not?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Aptos_Names_Bool_Exp>>;\n domain?: InputMaybe<String_Comparison_Exp>;\n domain_with_suffix?: InputMaybe<String_Comparison_Exp>;\n expiration_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n is_active?: InputMaybe<Boolean_Comparison_Exp>;\n is_domain_owner?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n is_primary?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n registered_address?: InputMaybe<String_Comparison_Exp>;\n subdomain?: InputMaybe<String_Comparison_Exp>;\n token_name?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Current_Aptos_Names_Max_Fields = {\n __typename?: 'current_aptos_names_max_fields';\n domain?: Maybe<Scalars['String']['output']>;\n domain_with_suffix?: Maybe<Scalars['String']['output']>;\n expiration_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n registered_address?: Maybe<Scalars['String']['output']>;\n subdomain?: Maybe<Scalars['String']['output']>;\n token_name?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by max() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Max_Order_By = {\n domain?: InputMaybe<Order_By>;\n domain_with_suffix?: InputMaybe<Order_By>;\n expiration_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n registered_address?: InputMaybe<Order_By>;\n subdomain?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Current_Aptos_Names_Min_Fields = {\n __typename?: 'current_aptos_names_min_fields';\n domain?: Maybe<Scalars['String']['output']>;\n domain_with_suffix?: Maybe<Scalars['String']['output']>;\n expiration_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n registered_address?: Maybe<Scalars['String']['output']>;\n subdomain?: Maybe<Scalars['String']['output']>;\n token_name?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by min() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Min_Order_By = {\n domain?: InputMaybe<Order_By>;\n domain_with_suffix?: InputMaybe<Order_By>;\n expiration_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n registered_address?: InputMaybe<Order_By>;\n subdomain?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"current_aptos_names\". */\nexport type Current_Aptos_Names_Order_By = {\n domain?: InputMaybe<Order_By>;\n domain_with_suffix?: InputMaybe<Order_By>;\n expiration_timestamp?: InputMaybe<Order_By>;\n is_active?: InputMaybe<Order_By>;\n is_domain_owner?: InputMaybe<Current_Aptos_Names_Order_By>;\n is_primary?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n registered_address?: InputMaybe<Order_By>;\n subdomain?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_aptos_names\" */\nexport enum Current_Aptos_Names_Select_Column {\n /** column name */\n Domain = 'domain',\n /** column name */\n DomainWithSuffix = 'domain_with_suffix',\n /** column name */\n ExpirationTimestamp = 'expiration_timestamp',\n /** column name */\n IsActive = 'is_active',\n /** column name */\n IsPrimary = 'is_primary',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n RegisteredAddress = 'registered_address',\n /** column name */\n Subdomain = 'subdomain',\n /** column name */\n TokenName = 'token_name',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** aggregate stddev on columns */\nexport type Current_Aptos_Names_Stddev_Fields = {\n __typename?: 'current_aptos_names_stddev_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Stddev_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Current_Aptos_Names_Stddev_Pop_Fields = {\n __typename?: 'current_aptos_names_stddev_pop_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Stddev_Pop_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Current_Aptos_Names_Stddev_Samp_Fields = {\n __typename?: 'current_aptos_names_stddev_samp_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Stddev_Samp_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Aptos_Names_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Aptos_Names_Stream_Cursor_Value_Input = {\n domain?: InputMaybe<Scalars['String']['input']>;\n domain_with_suffix?: InputMaybe<Scalars['String']['input']>;\n expiration_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n is_active?: InputMaybe<Scalars['Boolean']['input']>;\n is_primary?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n registered_address?: InputMaybe<Scalars['String']['input']>;\n subdomain?: InputMaybe<Scalars['String']['input']>;\n token_name?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Current_Aptos_Names_Sum_Fields = {\n __typename?: 'current_aptos_names_sum_fields';\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by sum() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Sum_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Current_Aptos_Names_Var_Pop_Fields = {\n __typename?: 'current_aptos_names_var_pop_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Var_Pop_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Current_Aptos_Names_Var_Samp_Fields = {\n __typename?: 'current_aptos_names_var_samp_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Var_Samp_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Current_Aptos_Names_Variance_Fields = {\n __typename?: 'current_aptos_names_variance_fields';\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"current_aptos_names\" */\nexport type Current_Aptos_Names_Variance_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"current_coin_balances\" */\nexport type Current_Coin_Balances = {\n __typename?: 'current_coin_balances';\n amount: Scalars['numeric']['output'];\n /** An object relationship */\n coin_info?: Maybe<Coin_Infos>;\n coin_type: Scalars['String']['output'];\n coin_type_hash: Scalars['String']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n owner_address: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_coin_balances\". All fields are combined with a logical 'AND'. */\nexport type Current_Coin_Balances_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Coin_Balances_Bool_Exp>>;\n _not?: InputMaybe<Current_Coin_Balances_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Coin_Balances_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n coin_info?: InputMaybe<Coin_Infos_Bool_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n coin_type_hash?: InputMaybe<String_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_coin_balances\". */\nexport type Current_Coin_Balances_Order_By = {\n amount?: InputMaybe<Order_By>;\n coin_info?: InputMaybe<Coin_Infos_Order_By>;\n coin_type?: InputMaybe<Order_By>;\n coin_type_hash?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_coin_balances\" */\nexport enum Current_Coin_Balances_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CoinTypeHash = 'coin_type_hash',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OwnerAddress = 'owner_address'\n}\n\n/** Streaming cursor of the table \"current_coin_balances\" */\nexport type Current_Coin_Balances_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Coin_Balances_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Coin_Balances_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n coin_type_hash?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_collection_datas\" */\nexport type Current_Collection_Datas = {\n __typename?: 'current_collection_datas';\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n description: Scalars['String']['output'];\n description_mutable: Scalars['Boolean']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n maximum: Scalars['numeric']['output'];\n maximum_mutable: Scalars['Boolean']['output'];\n metadata_uri: Scalars['String']['output'];\n supply: Scalars['numeric']['output'];\n table_handle: Scalars['String']['output'];\n uri_mutable: Scalars['Boolean']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_collection_datas\". All fields are combined with a logical 'AND'. */\nexport type Current_Collection_Datas_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Collection_Datas_Bool_Exp>>;\n _not?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Collection_Datas_Bool_Exp>>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n description_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n maximum?: InputMaybe<Numeric_Comparison_Exp>;\n maximum_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n metadata_uri?: InputMaybe<String_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n uri_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_collection_datas\". */\nexport type Current_Collection_Datas_Order_By = {\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n description?: InputMaybe<Order_By>;\n description_mutable?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n maximum?: InputMaybe<Order_By>;\n maximum_mutable?: InputMaybe<Order_By>;\n metadata_uri?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n uri_mutable?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_collection_datas\" */\nexport enum Current_Collection_Datas_Select_Column {\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Description = 'description',\n /** column name */\n DescriptionMutable = 'description_mutable',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Maximum = 'maximum',\n /** column name */\n MaximumMutable = 'maximum_mutable',\n /** column name */\n MetadataUri = 'metadata_uri',\n /** column name */\n Supply = 'supply',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n UriMutable = 'uri_mutable'\n}\n\n/** Streaming cursor of the table \"current_collection_datas\" */\nexport type Current_Collection_Datas_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Collection_Datas_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Collection_Datas_Stream_Cursor_Value_Input = {\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n description_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n maximum?: InputMaybe<Scalars['numeric']['input']>;\n maximum_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n metadata_uri?: InputMaybe<Scalars['String']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n uri_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** columns and relationships of \"current_collection_ownership_v2_view\" */\nexport type Current_Collection_Ownership_V2_View = {\n __typename?: 'current_collection_ownership_v2_view';\n collection_id?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n collection_uri?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n /** An object relationship */\n current_collection?: Maybe<Current_Collections_V2>;\n distinct_tokens?: Maybe<Scalars['bigint']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n single_token_uri?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregated selection of \"current_collection_ownership_v2_view\" */\nexport type Current_Collection_Ownership_V2_View_Aggregate = {\n __typename?: 'current_collection_ownership_v2_view_aggregate';\n aggregate?: Maybe<Current_Collection_Ownership_V2_View_Aggregate_Fields>;\n nodes: Array<Current_Collection_Ownership_V2_View>;\n};\n\n/** aggregate fields of \"current_collection_ownership_v2_view\" */\nexport type Current_Collection_Ownership_V2_View_Aggregate_Fields = {\n __typename?: 'current_collection_ownership_v2_view_aggregate_fields';\n avg?: Maybe<Current_Collection_Ownership_V2_View_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Current_Collection_Ownership_V2_View_Max_Fields>;\n min?: Maybe<Current_Collection_Ownership_V2_View_Min_Fields>;\n stddev?: Maybe<Current_Collection_Ownership_V2_View_Stddev_Fields>;\n stddev_pop?: Maybe<Current_Collection_Ownership_V2_View_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Current_Collection_Ownership_V2_View_Stddev_Samp_Fields>;\n sum?: Maybe<Current_Collection_Ownership_V2_View_Sum_Fields>;\n var_pop?: Maybe<Current_Collection_Ownership_V2_View_Var_Pop_Fields>;\n var_samp?: Maybe<Current_Collection_Ownership_V2_View_Var_Samp_Fields>;\n variance?: Maybe<Current_Collection_Ownership_V2_View_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"current_collection_ownership_v2_view\" */\nexport type Current_Collection_Ownership_V2_View_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Current_Collection_Ownership_V2_View_Avg_Fields = {\n __typename?: 'current_collection_ownership_v2_view_avg_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_collection_ownership_v2_view\". All fields are combined with a logical 'AND'. */\nexport type Current_Collection_Ownership_V2_View_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Bool_Exp>>;\n _not?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Bool_Exp>>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n collection_uri?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_collection?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n distinct_tokens?: InputMaybe<Bigint_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n single_token_uri?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Current_Collection_Ownership_V2_View_Max_Fields = {\n __typename?: 'current_collection_ownership_v2_view_max_fields';\n collection_id?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n collection_uri?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n distinct_tokens?: Maybe<Scalars['bigint']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n single_token_uri?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Current_Collection_Ownership_V2_View_Min_Fields = {\n __typename?: 'current_collection_ownership_v2_view_min_fields';\n collection_id?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n collection_uri?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n distinct_tokens?: Maybe<Scalars['bigint']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n single_token_uri?: Maybe<Scalars['String']['output']>;\n};\n\n/** Ordering options when selecting data from \"current_collection_ownership_v2_view\". */\nexport type Current_Collection_Ownership_V2_View_Order_By = {\n collection_id?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n collection_uri?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_collection?: InputMaybe<Current_Collections_V2_Order_By>;\n distinct_tokens?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n single_token_uri?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_collection_ownership_v2_view\" */\nexport enum Current_Collection_Ownership_V2_View_Select_Column {\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CollectionUri = 'collection_uri',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n DistinctTokens = 'distinct_tokens',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n SingleTokenUri = 'single_token_uri'\n}\n\n/** aggregate stddev on columns */\nexport type Current_Collection_Ownership_V2_View_Stddev_Fields = {\n __typename?: 'current_collection_ownership_v2_view_stddev_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Current_Collection_Ownership_V2_View_Stddev_Pop_Fields = {\n __typename?: 'current_collection_ownership_v2_view_stddev_pop_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Current_Collection_Ownership_V2_View_Stddev_Samp_Fields = {\n __typename?: 'current_collection_ownership_v2_view_stddev_samp_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"current_collection_ownership_v2_view\" */\nexport type Current_Collection_Ownership_V2_View_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Collection_Ownership_V2_View_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Collection_Ownership_V2_View_Stream_Cursor_Value_Input = {\n collection_id?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n collection_uri?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n distinct_tokens?: InputMaybe<Scalars['bigint']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n single_token_uri?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Current_Collection_Ownership_V2_View_Sum_Fields = {\n __typename?: 'current_collection_ownership_v2_view_sum_fields';\n distinct_tokens?: Maybe<Scalars['bigint']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Current_Collection_Ownership_V2_View_Var_Pop_Fields = {\n __typename?: 'current_collection_ownership_v2_view_var_pop_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Current_Collection_Ownership_V2_View_Var_Samp_Fields = {\n __typename?: 'current_collection_ownership_v2_view_var_samp_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Current_Collection_Ownership_V2_View_Variance_Fields = {\n __typename?: 'current_collection_ownership_v2_view_variance_fields';\n distinct_tokens?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** columns and relationships of \"current_collections_v2\" */\nexport type Current_Collections_V2 = {\n __typename?: 'current_collections_v2';\n /** An object relationship */\n cdn_asset_uris?: Maybe<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n collection_id: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n current_supply: Scalars['numeric']['output'];\n description: Scalars['String']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n max_supply?: Maybe<Scalars['numeric']['output']>;\n mutable_description?: Maybe<Scalars['Boolean']['output']>;\n mutable_uri?: Maybe<Scalars['Boolean']['output']>;\n table_handle_v1?: Maybe<Scalars['String']['output']>;\n token_standard: Scalars['String']['output'];\n total_minted_v2?: Maybe<Scalars['numeric']['output']>;\n uri: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_collections_v2\". All fields are combined with a logical 'AND'. */\nexport type Current_Collections_V2_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Collections_V2_Bool_Exp>>;\n _not?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Collections_V2_Bool_Exp>>;\n cdn_asset_uris?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_supply?: InputMaybe<Numeric_Comparison_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n max_supply?: InputMaybe<Numeric_Comparison_Exp>;\n mutable_description?: InputMaybe<Boolean_Comparison_Exp>;\n mutable_uri?: InputMaybe<Boolean_Comparison_Exp>;\n table_handle_v1?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n total_minted_v2?: InputMaybe<Numeric_Comparison_Exp>;\n uri?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_collections_v2\". */\nexport type Current_Collections_V2_Order_By = {\n cdn_asset_uris?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Order_By>;\n collection_id?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_supply?: InputMaybe<Order_By>;\n description?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n max_supply?: InputMaybe<Order_By>;\n mutable_description?: InputMaybe<Order_By>;\n mutable_uri?: InputMaybe<Order_By>;\n table_handle_v1?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n total_minted_v2?: InputMaybe<Order_By>;\n uri?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_collections_v2\" */\nexport enum Current_Collections_V2_Select_Column {\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n CurrentSupply = 'current_supply',\n /** column name */\n Description = 'description',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n MaxSupply = 'max_supply',\n /** column name */\n MutableDescription = 'mutable_description',\n /** column name */\n MutableUri = 'mutable_uri',\n /** column name */\n TableHandleV1 = 'table_handle_v1',\n /** column name */\n TokenStandard = 'token_standard',\n /** column name */\n TotalMintedV2 = 'total_minted_v2',\n /** column name */\n Uri = 'uri'\n}\n\n/** Streaming cursor of the table \"current_collections_v2\" */\nexport type Current_Collections_V2_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Collections_V2_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Collections_V2_Stream_Cursor_Value_Input = {\n collection_id?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n current_supply?: InputMaybe<Scalars['numeric']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n max_supply?: InputMaybe<Scalars['numeric']['input']>;\n mutable_description?: InputMaybe<Scalars['Boolean']['input']>;\n mutable_uri?: InputMaybe<Scalars['Boolean']['input']>;\n table_handle_v1?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n total_minted_v2?: InputMaybe<Scalars['numeric']['input']>;\n uri?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_delegated_staking_pool_balances\" */\nexport type Current_Delegated_Staking_Pool_Balances = {\n __typename?: 'current_delegated_staking_pool_balances';\n active_table_handle: Scalars['String']['output'];\n inactive_table_handle: Scalars['String']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n operator_commission_percentage: Scalars['numeric']['output'];\n staking_pool_address: Scalars['String']['output'];\n total_coins: Scalars['numeric']['output'];\n total_shares: Scalars['numeric']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_delegated_staking_pool_balances\". All fields are combined with a logical 'AND'. */\nexport type Current_Delegated_Staking_Pool_Balances_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Bool_Exp>>;\n _not?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Bool_Exp>>;\n active_table_handle?: InputMaybe<String_Comparison_Exp>;\n inactive_table_handle?: InputMaybe<String_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n operator_commission_percentage?: InputMaybe<Numeric_Comparison_Exp>;\n staking_pool_address?: InputMaybe<String_Comparison_Exp>;\n total_coins?: InputMaybe<Numeric_Comparison_Exp>;\n total_shares?: InputMaybe<Numeric_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_delegated_staking_pool_balances\". */\nexport type Current_Delegated_Staking_Pool_Balances_Order_By = {\n active_table_handle?: InputMaybe<Order_By>;\n inactive_table_handle?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n operator_commission_percentage?: InputMaybe<Order_By>;\n staking_pool_address?: InputMaybe<Order_By>;\n total_coins?: InputMaybe<Order_By>;\n total_shares?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_delegated_staking_pool_balances\" */\nexport enum Current_Delegated_Staking_Pool_Balances_Select_Column {\n /** column name */\n ActiveTableHandle = 'active_table_handle',\n /** column name */\n InactiveTableHandle = 'inactive_table_handle',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OperatorCommissionPercentage = 'operator_commission_percentage',\n /** column name */\n StakingPoolAddress = 'staking_pool_address',\n /** column name */\n TotalCoins = 'total_coins',\n /** column name */\n TotalShares = 'total_shares'\n}\n\n/** Streaming cursor of the table \"current_delegated_staking_pool_balances\" */\nexport type Current_Delegated_Staking_Pool_Balances_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Delegated_Staking_Pool_Balances_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Delegated_Staking_Pool_Balances_Stream_Cursor_Value_Input = {\n active_table_handle?: InputMaybe<Scalars['String']['input']>;\n inactive_table_handle?: InputMaybe<Scalars['String']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n operator_commission_percentage?: InputMaybe<Scalars['numeric']['input']>;\n staking_pool_address?: InputMaybe<Scalars['String']['input']>;\n total_coins?: InputMaybe<Scalars['numeric']['input']>;\n total_shares?: InputMaybe<Scalars['numeric']['input']>;\n};\n\n/** columns and relationships of \"current_delegated_voter\" */\nexport type Current_Delegated_Voter = {\n __typename?: 'current_delegated_voter';\n delegation_pool_address: Scalars['String']['output'];\n delegator_address: Scalars['String']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n pending_voter?: Maybe<Scalars['String']['output']>;\n table_handle?: Maybe<Scalars['String']['output']>;\n voter?: Maybe<Scalars['String']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_delegated_voter\". All fields are combined with a logical 'AND'. */\nexport type Current_Delegated_Voter_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Delegated_Voter_Bool_Exp>>;\n _not?: InputMaybe<Current_Delegated_Voter_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Delegated_Voter_Bool_Exp>>;\n delegation_pool_address?: InputMaybe<String_Comparison_Exp>;\n delegator_address?: InputMaybe<String_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n pending_voter?: InputMaybe<String_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n voter?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_delegated_voter\". */\nexport type Current_Delegated_Voter_Order_By = {\n delegation_pool_address?: InputMaybe<Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n pending_voter?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n voter?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_delegated_voter\" */\nexport enum Current_Delegated_Voter_Select_Column {\n /** column name */\n DelegationPoolAddress = 'delegation_pool_address',\n /** column name */\n DelegatorAddress = 'delegator_address',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n PendingVoter = 'pending_voter',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n Voter = 'voter'\n}\n\n/** Streaming cursor of the table \"current_delegated_voter\" */\nexport type Current_Delegated_Voter_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Delegated_Voter_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Delegated_Voter_Stream_Cursor_Value_Input = {\n delegation_pool_address?: InputMaybe<Scalars['String']['input']>;\n delegator_address?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n pending_voter?: InputMaybe<Scalars['String']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n voter?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_delegator_balances\" */\nexport type Current_Delegator_Balances = {\n __typename?: 'current_delegator_balances';\n /** An object relationship */\n current_pool_balance?: Maybe<Current_Delegated_Staking_Pool_Balances>;\n delegator_address: Scalars['String']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n parent_table_handle: Scalars['String']['output'];\n pool_address: Scalars['String']['output'];\n pool_type: Scalars['String']['output'];\n shares: Scalars['numeric']['output'];\n /** An object relationship */\n staking_pool_metadata?: Maybe<Current_Staking_Pool_Voter>;\n table_handle: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_delegator_balances\". All fields are combined with a logical 'AND'. */\nexport type Current_Delegator_Balances_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Delegator_Balances_Bool_Exp>>;\n _not?: InputMaybe<Current_Delegator_Balances_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Delegator_Balances_Bool_Exp>>;\n current_pool_balance?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n delegator_address?: InputMaybe<String_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n parent_table_handle?: InputMaybe<String_Comparison_Exp>;\n pool_address?: InputMaybe<String_Comparison_Exp>;\n pool_type?: InputMaybe<String_Comparison_Exp>;\n shares?: InputMaybe<Numeric_Comparison_Exp>;\n staking_pool_metadata?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_delegator_balances\". */\nexport type Current_Delegator_Balances_Order_By = {\n current_pool_balance?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n parent_table_handle?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n pool_type?: InputMaybe<Order_By>;\n shares?: InputMaybe<Order_By>;\n staking_pool_metadata?: InputMaybe<Current_Staking_Pool_Voter_Order_By>;\n table_handle?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_delegator_balances\" */\nexport enum Current_Delegator_Balances_Select_Column {\n /** column name */\n DelegatorAddress = 'delegator_address',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n ParentTableHandle = 'parent_table_handle',\n /** column name */\n PoolAddress = 'pool_address',\n /** column name */\n PoolType = 'pool_type',\n /** column name */\n Shares = 'shares',\n /** column name */\n TableHandle = 'table_handle'\n}\n\n/** Streaming cursor of the table \"current_delegator_balances\" */\nexport type Current_Delegator_Balances_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Delegator_Balances_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Delegator_Balances_Stream_Cursor_Value_Input = {\n delegator_address?: InputMaybe<Scalars['String']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n parent_table_handle?: InputMaybe<Scalars['String']['input']>;\n pool_address?: InputMaybe<Scalars['String']['input']>;\n pool_type?: InputMaybe<Scalars['String']['input']>;\n shares?: InputMaybe<Scalars['numeric']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_fungible_asset_balances\" */\nexport type Current_Fungible_Asset_Balances = {\n __typename?: 'current_fungible_asset_balances';\n amount: Scalars['numeric']['output'];\n asset_type: Scalars['String']['output'];\n is_frozen: Scalars['Boolean']['output'];\n is_primary: Scalars['Boolean']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n /** An object relationship */\n metadata?: Maybe<Fungible_Asset_Metadata>;\n owner_address: Scalars['String']['output'];\n storage_id: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** aggregated selection of \"current_fungible_asset_balances\" */\nexport type Current_Fungible_Asset_Balances_Aggregate = {\n __typename?: 'current_fungible_asset_balances_aggregate';\n aggregate?: Maybe<Current_Fungible_Asset_Balances_Aggregate_Fields>;\n nodes: Array<Current_Fungible_Asset_Balances>;\n};\n\n/** aggregate fields of \"current_fungible_asset_balances\" */\nexport type Current_Fungible_Asset_Balances_Aggregate_Fields = {\n __typename?: 'current_fungible_asset_balances_aggregate_fields';\n avg?: Maybe<Current_Fungible_Asset_Balances_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Current_Fungible_Asset_Balances_Max_Fields>;\n min?: Maybe<Current_Fungible_Asset_Balances_Min_Fields>;\n stddev?: Maybe<Current_Fungible_Asset_Balances_Stddev_Fields>;\n stddev_pop?: Maybe<Current_Fungible_Asset_Balances_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Current_Fungible_Asset_Balances_Stddev_Samp_Fields>;\n sum?: Maybe<Current_Fungible_Asset_Balances_Sum_Fields>;\n var_pop?: Maybe<Current_Fungible_Asset_Balances_Var_Pop_Fields>;\n var_samp?: Maybe<Current_Fungible_Asset_Balances_Var_Samp_Fields>;\n variance?: Maybe<Current_Fungible_Asset_Balances_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"current_fungible_asset_balances\" */\nexport type Current_Fungible_Asset_Balances_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Current_Fungible_Asset_Balances_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Current_Fungible_Asset_Balances_Avg_Fields = {\n __typename?: 'current_fungible_asset_balances_avg_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_fungible_asset_balances\". All fields are combined with a logical 'AND'. */\nexport type Current_Fungible_Asset_Balances_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Fungible_Asset_Balances_Bool_Exp>>;\n _not?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Fungible_Asset_Balances_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n asset_type?: InputMaybe<String_Comparison_Exp>;\n is_frozen?: InputMaybe<Boolean_Comparison_Exp>;\n is_primary?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n metadata?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n storage_id?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Current_Fungible_Asset_Balances_Max_Fields = {\n __typename?: 'current_fungible_asset_balances_max_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n asset_type?: Maybe<Scalars['String']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n storage_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Current_Fungible_Asset_Balances_Min_Fields = {\n __typename?: 'current_fungible_asset_balances_min_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n asset_type?: Maybe<Scalars['String']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n storage_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** Ordering options when selecting data from \"current_fungible_asset_balances\". */\nexport type Current_Fungible_Asset_Balances_Order_By = {\n amount?: InputMaybe<Order_By>;\n asset_type?: InputMaybe<Order_By>;\n is_frozen?: InputMaybe<Order_By>;\n is_primary?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n metadata?: InputMaybe<Fungible_Asset_Metadata_Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_fungible_asset_balances\" */\nexport enum Current_Fungible_Asset_Balances_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n AssetType = 'asset_type',\n /** column name */\n IsFrozen = 'is_frozen',\n /** column name */\n IsPrimary = 'is_primary',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n StorageId = 'storage_id',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** aggregate stddev on columns */\nexport type Current_Fungible_Asset_Balances_Stddev_Fields = {\n __typename?: 'current_fungible_asset_balances_stddev_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Current_Fungible_Asset_Balances_Stddev_Pop_Fields = {\n __typename?: 'current_fungible_asset_balances_stddev_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Current_Fungible_Asset_Balances_Stddev_Samp_Fields = {\n __typename?: 'current_fungible_asset_balances_stddev_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"current_fungible_asset_balances\" */\nexport type Current_Fungible_Asset_Balances_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Fungible_Asset_Balances_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Fungible_Asset_Balances_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n asset_type?: InputMaybe<Scalars['String']['input']>;\n is_frozen?: InputMaybe<Scalars['Boolean']['input']>;\n is_primary?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n storage_id?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Current_Fungible_Asset_Balances_Sum_Fields = {\n __typename?: 'current_fungible_asset_balances_sum_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Current_Fungible_Asset_Balances_Var_Pop_Fields = {\n __typename?: 'current_fungible_asset_balances_var_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Current_Fungible_Asset_Balances_Var_Samp_Fields = {\n __typename?: 'current_fungible_asset_balances_var_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Current_Fungible_Asset_Balances_Variance_Fields = {\n __typename?: 'current_fungible_asset_balances_variance_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** columns and relationships of \"current_objects\" */\nexport type Current_Objects = {\n __typename?: 'current_objects';\n allow_ungated_transfer: Scalars['Boolean']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_guid_creation_num: Scalars['numeric']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n object_address: Scalars['String']['output'];\n owner_address: Scalars['String']['output'];\n state_key_hash: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_objects\". All fields are combined with a logical 'AND'. */\nexport type Current_Objects_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Objects_Bool_Exp>>;\n _not?: InputMaybe<Current_Objects_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Objects_Bool_Exp>>;\n allow_ungated_transfer?: InputMaybe<Boolean_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_guid_creation_num?: InputMaybe<Numeric_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n object_address?: InputMaybe<String_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n state_key_hash?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_objects\". */\nexport type Current_Objects_Order_By = {\n allow_ungated_transfer?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_guid_creation_num?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n object_address?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n state_key_hash?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_objects\" */\nexport enum Current_Objects_Select_Column {\n /** column name */\n AllowUngatedTransfer = 'allow_ungated_transfer',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastGuidCreationNum = 'last_guid_creation_num',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n ObjectAddress = 'object_address',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n StateKeyHash = 'state_key_hash'\n}\n\n/** Streaming cursor of the table \"current_objects\" */\nexport type Current_Objects_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Objects_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Objects_Stream_Cursor_Value_Input = {\n allow_ungated_transfer?: InputMaybe<Scalars['Boolean']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_guid_creation_num?: InputMaybe<Scalars['numeric']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n object_address?: InputMaybe<Scalars['String']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n state_key_hash?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_staking_pool_voter\" */\nexport type Current_Staking_Pool_Voter = {\n __typename?: 'current_staking_pool_voter';\n last_transaction_version: Scalars['bigint']['output'];\n operator_address: Scalars['String']['output'];\n /** An array relationship */\n operator_aptos_name: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n operator_aptos_name_aggregate: Current_Aptos_Names_Aggregate;\n staking_pool_address: Scalars['String']['output'];\n voter_address: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"current_staking_pool_voter\" */\nexport type Current_Staking_Pool_VoterOperator_Aptos_NameArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"current_staking_pool_voter\" */\nexport type Current_Staking_Pool_VoterOperator_Aptos_Name_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n/** Boolean expression to filter rows from the table \"current_staking_pool_voter\". All fields are combined with a logical 'AND'. */\nexport type Current_Staking_Pool_Voter_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Staking_Pool_Voter_Bool_Exp>>;\n _not?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Staking_Pool_Voter_Bool_Exp>>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n operator_address?: InputMaybe<String_Comparison_Exp>;\n operator_aptos_name?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n staking_pool_address?: InputMaybe<String_Comparison_Exp>;\n voter_address?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_staking_pool_voter\". */\nexport type Current_Staking_Pool_Voter_Order_By = {\n last_transaction_version?: InputMaybe<Order_By>;\n operator_address?: InputMaybe<Order_By>;\n operator_aptos_name_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n staking_pool_address?: InputMaybe<Order_By>;\n voter_address?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_staking_pool_voter\" */\nexport enum Current_Staking_Pool_Voter_Select_Column {\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OperatorAddress = 'operator_address',\n /** column name */\n StakingPoolAddress = 'staking_pool_address',\n /** column name */\n VoterAddress = 'voter_address'\n}\n\n/** Streaming cursor of the table \"current_staking_pool_voter\" */\nexport type Current_Staking_Pool_Voter_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Staking_Pool_Voter_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Staking_Pool_Voter_Stream_Cursor_Value_Input = {\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n operator_address?: InputMaybe<Scalars['String']['input']>;\n staking_pool_address?: InputMaybe<Scalars['String']['input']>;\n voter_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_table_items\" */\nexport type Current_Table_Items = {\n __typename?: 'current_table_items';\n decoded_key: Scalars['jsonb']['output'];\n decoded_value?: Maybe<Scalars['jsonb']['output']>;\n is_deleted: Scalars['Boolean']['output'];\n key: Scalars['String']['output'];\n key_hash: Scalars['String']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n table_handle: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"current_table_items\" */\nexport type Current_Table_ItemsDecoded_KeyArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n\n/** columns and relationships of \"current_table_items\" */\nexport type Current_Table_ItemsDecoded_ValueArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_table_items\". All fields are combined with a logical 'AND'. */\nexport type Current_Table_Items_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Table_Items_Bool_Exp>>;\n _not?: InputMaybe<Current_Table_Items_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Table_Items_Bool_Exp>>;\n decoded_key?: InputMaybe<Jsonb_Comparison_Exp>;\n decoded_value?: InputMaybe<Jsonb_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n key?: InputMaybe<String_Comparison_Exp>;\n key_hash?: InputMaybe<String_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_table_items\". */\nexport type Current_Table_Items_Order_By = {\n decoded_key?: InputMaybe<Order_By>;\n decoded_value?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n key?: InputMaybe<Order_By>;\n key_hash?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_table_items\" */\nexport enum Current_Table_Items_Select_Column {\n /** column name */\n DecodedKey = 'decoded_key',\n /** column name */\n DecodedValue = 'decoded_value',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n Key = 'key',\n /** column name */\n KeyHash = 'key_hash',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n TableHandle = 'table_handle'\n}\n\n/** Streaming cursor of the table \"current_table_items\" */\nexport type Current_Table_Items_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Table_Items_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Table_Items_Stream_Cursor_Value_Input = {\n decoded_key?: InputMaybe<Scalars['jsonb']['input']>;\n decoded_value?: InputMaybe<Scalars['jsonb']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n key?: InputMaybe<Scalars['String']['input']>;\n key_hash?: InputMaybe<Scalars['String']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_token_datas\" */\nexport type Current_Token_Datas = {\n __typename?: 'current_token_datas';\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n /** An object relationship */\n current_collection_data?: Maybe<Current_Collection_Datas>;\n default_properties: Scalars['jsonb']['output'];\n description: Scalars['String']['output'];\n description_mutable: Scalars['Boolean']['output'];\n largest_property_version: Scalars['numeric']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n maximum: Scalars['numeric']['output'];\n maximum_mutable: Scalars['Boolean']['output'];\n metadata_uri: Scalars['String']['output'];\n name: Scalars['String']['output'];\n payee_address: Scalars['String']['output'];\n properties_mutable: Scalars['Boolean']['output'];\n royalty_mutable: Scalars['Boolean']['output'];\n royalty_points_denominator: Scalars['numeric']['output'];\n royalty_points_numerator: Scalars['numeric']['output'];\n supply: Scalars['numeric']['output'];\n token_data_id_hash: Scalars['String']['output'];\n uri_mutable: Scalars['Boolean']['output'];\n};\n\n\n/** columns and relationships of \"current_token_datas\" */\nexport type Current_Token_DatasDefault_PropertiesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_token_datas\". All fields are combined with a logical 'AND'. */\nexport type Current_Token_Datas_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Token_Datas_Bool_Exp>>;\n _not?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Token_Datas_Bool_Exp>>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n default_properties?: InputMaybe<Jsonb_Comparison_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n description_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n largest_property_version?: InputMaybe<Numeric_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n maximum?: InputMaybe<Numeric_Comparison_Exp>;\n maximum_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n metadata_uri?: InputMaybe<String_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n payee_address?: InputMaybe<String_Comparison_Exp>;\n properties_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n royalty_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n royalty_points_denominator?: InputMaybe<Numeric_Comparison_Exp>;\n royalty_points_numerator?: InputMaybe<Numeric_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n uri_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_token_datas\". */\nexport type Current_Token_Datas_Order_By = {\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Order_By>;\n default_properties?: InputMaybe<Order_By>;\n description?: InputMaybe<Order_By>;\n description_mutable?: InputMaybe<Order_By>;\n largest_property_version?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n maximum?: InputMaybe<Order_By>;\n maximum_mutable?: InputMaybe<Order_By>;\n metadata_uri?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n payee_address?: InputMaybe<Order_By>;\n properties_mutable?: InputMaybe<Order_By>;\n royalty_mutable?: InputMaybe<Order_By>;\n royalty_points_denominator?: InputMaybe<Order_By>;\n royalty_points_numerator?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n uri_mutable?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_token_datas\" */\nexport enum Current_Token_Datas_Select_Column {\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n DefaultProperties = 'default_properties',\n /** column name */\n Description = 'description',\n /** column name */\n DescriptionMutable = 'description_mutable',\n /** column name */\n LargestPropertyVersion = 'largest_property_version',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Maximum = 'maximum',\n /** column name */\n MaximumMutable = 'maximum_mutable',\n /** column name */\n MetadataUri = 'metadata_uri',\n /** column name */\n Name = 'name',\n /** column name */\n PayeeAddress = 'payee_address',\n /** column name */\n PropertiesMutable = 'properties_mutable',\n /** column name */\n RoyaltyMutable = 'royalty_mutable',\n /** column name */\n RoyaltyPointsDenominator = 'royalty_points_denominator',\n /** column name */\n RoyaltyPointsNumerator = 'royalty_points_numerator',\n /** column name */\n Supply = 'supply',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n UriMutable = 'uri_mutable'\n}\n\n/** Streaming cursor of the table \"current_token_datas\" */\nexport type Current_Token_Datas_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Token_Datas_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Token_Datas_Stream_Cursor_Value_Input = {\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n default_properties?: InputMaybe<Scalars['jsonb']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n description_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n largest_property_version?: InputMaybe<Scalars['numeric']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n maximum?: InputMaybe<Scalars['numeric']['input']>;\n maximum_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n metadata_uri?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n payee_address?: InputMaybe<Scalars['String']['input']>;\n properties_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n royalty_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n royalty_points_denominator?: InputMaybe<Scalars['numeric']['input']>;\n royalty_points_numerator?: InputMaybe<Scalars['numeric']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n uri_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** columns and relationships of \"current_token_datas_v2\" */\nexport type Current_Token_Datas_V2 = {\n __typename?: 'current_token_datas_v2';\n /** An object relationship */\n aptos_name?: Maybe<Current_Aptos_Names>;\n /** An object relationship */\n cdn_asset_uris?: Maybe<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n collection_id: Scalars['String']['output'];\n /** An object relationship */\n current_collection?: Maybe<Current_Collections_V2>;\n /** An object relationship */\n current_token_ownership?: Maybe<Current_Token_Ownerships_V2>;\n description: Scalars['String']['output'];\n is_fungible_v2?: Maybe<Scalars['Boolean']['output']>;\n largest_property_version_v1?: Maybe<Scalars['numeric']['output']>;\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n maximum?: Maybe<Scalars['numeric']['output']>;\n supply: Scalars['numeric']['output'];\n token_data_id: Scalars['String']['output'];\n token_name: Scalars['String']['output'];\n token_properties: Scalars['jsonb']['output'];\n token_standard: Scalars['String']['output'];\n token_uri: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"current_token_datas_v2\" */\nexport type Current_Token_Datas_V2Token_PropertiesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"current_token_datas_v2\". All fields are combined with a logical 'AND'. */\nexport type Current_Token_Datas_V2_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Token_Datas_V2_Bool_Exp>>;\n _not?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Token_Datas_V2_Bool_Exp>>;\n aptos_name?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n cdn_asset_uris?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n current_collection?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n current_token_ownership?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n is_fungible_v2?: InputMaybe<Boolean_Comparison_Exp>;\n largest_property_version_v1?: InputMaybe<Numeric_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n maximum?: InputMaybe<Numeric_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_name?: InputMaybe<String_Comparison_Exp>;\n token_properties?: InputMaybe<Jsonb_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n token_uri?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_token_datas_v2\". */\nexport type Current_Token_Datas_V2_Order_By = {\n aptos_name?: InputMaybe<Current_Aptos_Names_Order_By>;\n cdn_asset_uris?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Order_By>;\n collection_id?: InputMaybe<Order_By>;\n current_collection?: InputMaybe<Current_Collections_V2_Order_By>;\n current_token_ownership?: InputMaybe<Current_Token_Ownerships_V2_Order_By>;\n description?: InputMaybe<Order_By>;\n is_fungible_v2?: InputMaybe<Order_By>;\n largest_property_version_v1?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n maximum?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_properties?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n token_uri?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_token_datas_v2\" */\nexport enum Current_Token_Datas_V2_Select_Column {\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n Description = 'description',\n /** column name */\n IsFungibleV2 = 'is_fungible_v2',\n /** column name */\n LargestPropertyVersionV1 = 'largest_property_version_v1',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Maximum = 'maximum',\n /** column name */\n Supply = 'supply',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenName = 'token_name',\n /** column name */\n TokenProperties = 'token_properties',\n /** column name */\n TokenStandard = 'token_standard',\n /** column name */\n TokenUri = 'token_uri'\n}\n\n/** Streaming cursor of the table \"current_token_datas_v2\" */\nexport type Current_Token_Datas_V2_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Token_Datas_V2_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Token_Datas_V2_Stream_Cursor_Value_Input = {\n collection_id?: InputMaybe<Scalars['String']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n is_fungible_v2?: InputMaybe<Scalars['Boolean']['input']>;\n largest_property_version_v1?: InputMaybe<Scalars['numeric']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n maximum?: InputMaybe<Scalars['numeric']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_name?: InputMaybe<Scalars['String']['input']>;\n token_properties?: InputMaybe<Scalars['jsonb']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n token_uri?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"current_token_ownerships\" */\nexport type Current_Token_Ownerships = {\n __typename?: 'current_token_ownerships';\n amount: Scalars['numeric']['output'];\n /** An object relationship */\n aptos_name?: Maybe<Current_Aptos_Names>;\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n /** An object relationship */\n current_collection_data?: Maybe<Current_Collection_Datas>;\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas>;\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n name: Scalars['String']['output'];\n owner_address: Scalars['String']['output'];\n property_version: Scalars['numeric']['output'];\n table_type: Scalars['String']['output'];\n token_data_id_hash: Scalars['String']['output'];\n token_properties: Scalars['jsonb']['output'];\n};\n\n\n/** columns and relationships of \"current_token_ownerships\" */\nexport type Current_Token_OwnershipsToken_PropertiesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregated selection of \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Aggregate = {\n __typename?: 'current_token_ownerships_aggregate';\n aggregate?: Maybe<Current_Token_Ownerships_Aggregate_Fields>;\n nodes: Array<Current_Token_Ownerships>;\n};\n\n/** aggregate fields of \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Aggregate_Fields = {\n __typename?: 'current_token_ownerships_aggregate_fields';\n avg?: Maybe<Current_Token_Ownerships_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Current_Token_Ownerships_Max_Fields>;\n min?: Maybe<Current_Token_Ownerships_Min_Fields>;\n stddev?: Maybe<Current_Token_Ownerships_Stddev_Fields>;\n stddev_pop?: Maybe<Current_Token_Ownerships_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Current_Token_Ownerships_Stddev_Samp_Fields>;\n sum?: Maybe<Current_Token_Ownerships_Sum_Fields>;\n var_pop?: Maybe<Current_Token_Ownerships_Var_Pop_Fields>;\n var_samp?: Maybe<Current_Token_Ownerships_Var_Samp_Fields>;\n variance?: Maybe<Current_Token_Ownerships_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Aggregate_Order_By = {\n avg?: InputMaybe<Current_Token_Ownerships_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Current_Token_Ownerships_Max_Order_By>;\n min?: InputMaybe<Current_Token_Ownerships_Min_Order_By>;\n stddev?: InputMaybe<Current_Token_Ownerships_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Current_Token_Ownerships_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Current_Token_Ownerships_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Current_Token_Ownerships_Sum_Order_By>;\n var_pop?: InputMaybe<Current_Token_Ownerships_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Current_Token_Ownerships_Var_Samp_Order_By>;\n variance?: InputMaybe<Current_Token_Ownerships_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Current_Token_Ownerships_Avg_Fields = {\n __typename?: 'current_token_ownerships_avg_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Avg_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"current_token_ownerships\". All fields are combined with a logical 'AND'. */\nexport type Current_Token_Ownerships_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Token_Ownerships_Bool_Exp>>;\n _not?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Token_Ownerships_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n aptos_name?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n property_version?: InputMaybe<Numeric_Comparison_Exp>;\n table_type?: InputMaybe<String_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n token_properties?: InputMaybe<Jsonb_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Current_Token_Ownerships_Max_Fields = {\n __typename?: 'current_token_ownerships_max_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n collection_data_id_hash?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n name?: Maybe<Scalars['String']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n table_type?: Maybe<Scalars['String']['output']>;\n token_data_id_hash?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by max() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Max_Order_By = {\n amount?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n table_type?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Current_Token_Ownerships_Min_Fields = {\n __typename?: 'current_token_ownerships_min_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n collection_data_id_hash?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n name?: Maybe<Scalars['String']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n table_type?: Maybe<Scalars['String']['output']>;\n token_data_id_hash?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by min() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Min_Order_By = {\n amount?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n table_type?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"current_token_ownerships\". */\nexport type Current_Token_Ownerships_Order_By = {\n amount?: InputMaybe<Order_By>;\n aptos_name?: InputMaybe<Current_Aptos_Names_Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n table_type?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n token_properties?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_token_ownerships\" */\nexport enum Current_Token_Ownerships_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Name = 'name',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n TableType = 'table_type',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n TokenProperties = 'token_properties'\n}\n\n/** aggregate stddev on columns */\nexport type Current_Token_Ownerships_Stddev_Fields = {\n __typename?: 'current_token_ownerships_stddev_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Stddev_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Current_Token_Ownerships_Stddev_Pop_Fields = {\n __typename?: 'current_token_ownerships_stddev_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Stddev_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Current_Token_Ownerships_Stddev_Samp_Fields = {\n __typename?: 'current_token_ownerships_stddev_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Stddev_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Token_Ownerships_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Token_Ownerships_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n property_version?: InputMaybe<Scalars['numeric']['input']>;\n table_type?: InputMaybe<Scalars['String']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n token_properties?: InputMaybe<Scalars['jsonb']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Current_Token_Ownerships_Sum_Fields = {\n __typename?: 'current_token_ownerships_sum_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n};\n\n/** order by sum() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Sum_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2 = {\n __typename?: 'current_token_ownerships_v2';\n amount: Scalars['numeric']['output'];\n /** An array relationship */\n composed_nfts: Array<Current_Token_Ownerships_V2>;\n /** An aggregate relationship */\n composed_nfts_aggregate: Current_Token_Ownerships_V2_Aggregate;\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n is_fungible_v2?: Maybe<Scalars['Boolean']['output']>;\n is_soulbound_v2?: Maybe<Scalars['Boolean']['output']>;\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n owner_address: Scalars['String']['output'];\n property_version_v1: Scalars['numeric']['output'];\n storage_id: Scalars['String']['output'];\n table_type_v1?: Maybe<Scalars['String']['output']>;\n token_data_id: Scalars['String']['output'];\n token_properties_mutated_v1?: Maybe<Scalars['jsonb']['output']>;\n token_standard: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2Composed_NftsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2Composed_Nfts_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2Token_Properties_Mutated_V1Args = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregated selection of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Aggregate = {\n __typename?: 'current_token_ownerships_v2_aggregate';\n aggregate?: Maybe<Current_Token_Ownerships_V2_Aggregate_Fields>;\n nodes: Array<Current_Token_Ownerships_V2>;\n};\n\n/** aggregate fields of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Aggregate_Fields = {\n __typename?: 'current_token_ownerships_v2_aggregate_fields';\n avg?: Maybe<Current_Token_Ownerships_V2_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Current_Token_Ownerships_V2_Max_Fields>;\n min?: Maybe<Current_Token_Ownerships_V2_Min_Fields>;\n stddev?: Maybe<Current_Token_Ownerships_V2_Stddev_Fields>;\n stddev_pop?: Maybe<Current_Token_Ownerships_V2_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Current_Token_Ownerships_V2_Stddev_Samp_Fields>;\n sum?: Maybe<Current_Token_Ownerships_V2_Sum_Fields>;\n var_pop?: Maybe<Current_Token_Ownerships_V2_Var_Pop_Fields>;\n var_samp?: Maybe<Current_Token_Ownerships_V2_Var_Samp_Fields>;\n variance?: Maybe<Current_Token_Ownerships_V2_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Aggregate_Order_By = {\n avg?: InputMaybe<Current_Token_Ownerships_V2_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Current_Token_Ownerships_V2_Max_Order_By>;\n min?: InputMaybe<Current_Token_Ownerships_V2_Min_Order_By>;\n stddev?: InputMaybe<Current_Token_Ownerships_V2_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Current_Token_Ownerships_V2_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Current_Token_Ownerships_V2_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Current_Token_Ownerships_V2_Sum_Order_By>;\n var_pop?: InputMaybe<Current_Token_Ownerships_V2_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Current_Token_Ownerships_V2_Var_Samp_Order_By>;\n variance?: InputMaybe<Current_Token_Ownerships_V2_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Current_Token_Ownerships_V2_Avg_Fields = {\n __typename?: 'current_token_ownerships_v2_avg_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Avg_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"current_token_ownerships_v2\". All fields are combined with a logical 'AND'. */\nexport type Current_Token_Ownerships_V2_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Token_Ownerships_V2_Bool_Exp>>;\n _not?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Token_Ownerships_V2_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n composed_nfts?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n is_fungible_v2?: InputMaybe<Boolean_Comparison_Exp>;\n is_soulbound_v2?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n property_version_v1?: InputMaybe<Numeric_Comparison_Exp>;\n storage_id?: InputMaybe<String_Comparison_Exp>;\n table_type_v1?: InputMaybe<String_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_properties_mutated_v1?: InputMaybe<Jsonb_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Current_Token_Ownerships_V2_Max_Fields = {\n __typename?: 'current_token_ownerships_v2_max_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n storage_id?: Maybe<Scalars['String']['output']>;\n table_type_v1?: Maybe<Scalars['String']['output']>;\n token_data_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by max() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Max_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n table_type_v1?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Current_Token_Ownerships_V2_Min_Fields = {\n __typename?: 'current_token_ownerships_v2_min_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n last_transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n owner_address?: Maybe<Scalars['String']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n storage_id?: Maybe<Scalars['String']['output']>;\n table_type_v1?: Maybe<Scalars['String']['output']>;\n token_data_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by min() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Min_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n table_type_v1?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"current_token_ownerships_v2\". */\nexport type Current_Token_Ownerships_V2_Order_By = {\n amount?: InputMaybe<Order_By>;\n composed_nfts_aggregate?: InputMaybe<Current_Token_Ownerships_V2_Aggregate_Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n is_fungible_v2?: InputMaybe<Order_By>;\n is_soulbound_v2?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n table_type_v1?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_properties_mutated_v1?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_token_ownerships_v2\" */\nexport enum Current_Token_Ownerships_V2_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n IsFungibleV2 = 'is_fungible_v2',\n /** column name */\n IsSoulboundV2 = 'is_soulbound_v2',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n PropertyVersionV1 = 'property_version_v1',\n /** column name */\n StorageId = 'storage_id',\n /** column name */\n TableTypeV1 = 'table_type_v1',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenPropertiesMutatedV1 = 'token_properties_mutated_v1',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** aggregate stddev on columns */\nexport type Current_Token_Ownerships_V2_Stddev_Fields = {\n __typename?: 'current_token_ownerships_v2_stddev_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Stddev_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Current_Token_Ownerships_V2_Stddev_Pop_Fields = {\n __typename?: 'current_token_ownerships_v2_stddev_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Stddev_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Current_Token_Ownerships_V2_Stddev_Samp_Fields = {\n __typename?: 'current_token_ownerships_v2_stddev_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Stddev_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Token_Ownerships_V2_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Token_Ownerships_V2_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n is_fungible_v2?: InputMaybe<Scalars['Boolean']['input']>;\n is_soulbound_v2?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n property_version_v1?: InputMaybe<Scalars['numeric']['input']>;\n storage_id?: InputMaybe<Scalars['String']['input']>;\n table_type_v1?: InputMaybe<Scalars['String']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_properties_mutated_v1?: InputMaybe<Scalars['jsonb']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Current_Token_Ownerships_V2_Sum_Fields = {\n __typename?: 'current_token_ownerships_v2_sum_fields';\n amount?: Maybe<Scalars['numeric']['output']>;\n last_transaction_version?: Maybe<Scalars['bigint']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n};\n\n/** order by sum() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Sum_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Current_Token_Ownerships_V2_Var_Pop_Fields = {\n __typename?: 'current_token_ownerships_v2_var_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Var_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Current_Token_Ownerships_V2_Var_Samp_Fields = {\n __typename?: 'current_token_ownerships_v2_var_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Var_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Current_Token_Ownerships_V2_Variance_Fields = {\n __typename?: 'current_token_ownerships_v2_variance_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"current_token_ownerships_v2\" */\nexport type Current_Token_Ownerships_V2_Variance_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Current_Token_Ownerships_Var_Pop_Fields = {\n __typename?: 'current_token_ownerships_var_pop_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Var_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Current_Token_Ownerships_Var_Samp_Fields = {\n __typename?: 'current_token_ownerships_var_samp_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Var_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Current_Token_Ownerships_Variance_Fields = {\n __typename?: 'current_token_ownerships_variance_fields';\n amount?: Maybe<Scalars['Float']['output']>;\n last_transaction_version?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"current_token_ownerships\" */\nexport type Current_Token_Ownerships_Variance_Order_By = {\n amount?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"current_token_pending_claims\" */\nexport type Current_Token_Pending_Claims = {\n __typename?: 'current_token_pending_claims';\n amount: Scalars['numeric']['output'];\n collection_data_id_hash: Scalars['String']['output'];\n collection_id: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n /** An object relationship */\n current_collection_data?: Maybe<Current_Collection_Datas>;\n /** An object relationship */\n current_collection_v2?: Maybe<Current_Collections_V2>;\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas>;\n /** An object relationship */\n current_token_data_v2?: Maybe<Current_Token_Datas_V2>;\n from_address: Scalars['String']['output'];\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n name: Scalars['String']['output'];\n property_version: Scalars['numeric']['output'];\n table_handle: Scalars['String']['output'];\n to_address: Scalars['String']['output'];\n /** An object relationship */\n token?: Maybe<Tokens>;\n token_data_id: Scalars['String']['output'];\n token_data_id_hash: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"current_token_pending_claims\". All fields are combined with a logical 'AND'. */\nexport type Current_Token_Pending_Claims_Bool_Exp = {\n _and?: InputMaybe<Array<Current_Token_Pending_Claims_Bool_Exp>>;\n _not?: InputMaybe<Current_Token_Pending_Claims_Bool_Exp>;\n _or?: InputMaybe<Array<Current_Token_Pending_Claims_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n current_collection_v2?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n current_token_data_v2?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n from_address?: InputMaybe<String_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n property_version?: InputMaybe<Numeric_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n to_address?: InputMaybe<String_Comparison_Exp>;\n token?: InputMaybe<Tokens_Bool_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"current_token_pending_claims\". */\nexport type Current_Token_Pending_Claims_Order_By = {\n amount?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_collection_data?: InputMaybe<Current_Collection_Datas_Order_By>;\n current_collection_v2?: InputMaybe<Current_Collections_V2_Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_Order_By>;\n current_token_data_v2?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n from_address?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token?: InputMaybe<Tokens_Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"current_token_pending_claims\" */\nexport enum Current_Token_Pending_Claims_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n FromAddress = 'from_address',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Name = 'name',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n ToAddress = 'to_address',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash'\n}\n\n/** Streaming cursor of the table \"current_token_pending_claims\" */\nexport type Current_Token_Pending_Claims_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Current_Token_Pending_Claims_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Current_Token_Pending_Claims_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n from_address?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n property_version?: InputMaybe<Scalars['numeric']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n to_address?: InputMaybe<Scalars['String']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** ordering argument of a cursor */\nexport enum Cursor_Ordering {\n /** ascending ordering of the cursor */\n Asc = 'ASC',\n /** descending ordering of the cursor */\n Desc = 'DESC'\n}\n\n/** columns and relationships of \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities = {\n __typename?: 'delegated_staking_activities';\n amount: Scalars['numeric']['output'];\n delegator_address: Scalars['String']['output'];\n event_index: Scalars['bigint']['output'];\n event_type: Scalars['String']['output'];\n pool_address: Scalars['String']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** order by aggregate values of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Aggregate_Order_By = {\n avg?: InputMaybe<Delegated_Staking_Activities_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Delegated_Staking_Activities_Max_Order_By>;\n min?: InputMaybe<Delegated_Staking_Activities_Min_Order_By>;\n stddev?: InputMaybe<Delegated_Staking_Activities_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Delegated_Staking_Activities_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Delegated_Staking_Activities_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Delegated_Staking_Activities_Sum_Order_By>;\n var_pop?: InputMaybe<Delegated_Staking_Activities_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Delegated_Staking_Activities_Var_Samp_Order_By>;\n variance?: InputMaybe<Delegated_Staking_Activities_Variance_Order_By>;\n};\n\n/** order by avg() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Avg_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"delegated_staking_activities\". All fields are combined with a logical 'AND'. */\nexport type Delegated_Staking_Activities_Bool_Exp = {\n _and?: InputMaybe<Array<Delegated_Staking_Activities_Bool_Exp>>;\n _not?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n _or?: InputMaybe<Array<Delegated_Staking_Activities_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n delegator_address?: InputMaybe<String_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n event_type?: InputMaybe<String_Comparison_Exp>;\n pool_address?: InputMaybe<String_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** order by max() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Max_Order_By = {\n amount?: InputMaybe<Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_type?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by min() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Min_Order_By = {\n amount?: InputMaybe<Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_type?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"delegated_staking_activities\". */\nexport type Delegated_Staking_Activities_Order_By = {\n amount?: InputMaybe<Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_type?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"delegated_staking_activities\" */\nexport enum Delegated_Staking_Activities_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n DelegatorAddress = 'delegator_address',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n EventType = 'event_type',\n /** column name */\n PoolAddress = 'pool_address',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** order by stddev() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Stddev_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by stddev_pop() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Stddev_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by stddev_samp() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Stddev_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Delegated_Staking_Activities_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Delegated_Staking_Activities_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n delegator_address?: InputMaybe<Scalars['String']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n event_type?: InputMaybe<Scalars['String']['input']>;\n pool_address?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** order by sum() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Sum_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by var_pop() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Var_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by var_samp() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Var_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by variance() on columns of table \"delegated_staking_activities\" */\nexport type Delegated_Staking_Activities_Variance_Order_By = {\n amount?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"delegated_staking_pools\" */\nexport type Delegated_Staking_Pools = {\n __typename?: 'delegated_staking_pools';\n /** An object relationship */\n current_staking_pool?: Maybe<Current_Staking_Pool_Voter>;\n first_transaction_version: Scalars['bigint']['output'];\n staking_pool_address: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"delegated_staking_pools\". All fields are combined with a logical 'AND'. */\nexport type Delegated_Staking_Pools_Bool_Exp = {\n _and?: InputMaybe<Array<Delegated_Staking_Pools_Bool_Exp>>;\n _not?: InputMaybe<Delegated_Staking_Pools_Bool_Exp>;\n _or?: InputMaybe<Array<Delegated_Staking_Pools_Bool_Exp>>;\n current_staking_pool?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n first_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n staking_pool_address?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"delegated_staking_pools\". */\nexport type Delegated_Staking_Pools_Order_By = {\n current_staking_pool?: InputMaybe<Current_Staking_Pool_Voter_Order_By>;\n first_transaction_version?: InputMaybe<Order_By>;\n staking_pool_address?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"delegated_staking_pools\" */\nexport enum Delegated_Staking_Pools_Select_Column {\n /** column name */\n FirstTransactionVersion = 'first_transaction_version',\n /** column name */\n StakingPoolAddress = 'staking_pool_address'\n}\n\n/** Streaming cursor of the table \"delegated_staking_pools\" */\nexport type Delegated_Staking_Pools_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Delegated_Staking_Pools_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Delegated_Staking_Pools_Stream_Cursor_Value_Input = {\n first_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n staking_pool_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"delegator_distinct_pool\" */\nexport type Delegator_Distinct_Pool = {\n __typename?: 'delegator_distinct_pool';\n /** An object relationship */\n current_pool_balance?: Maybe<Current_Delegated_Staking_Pool_Balances>;\n delegator_address?: Maybe<Scalars['String']['output']>;\n pool_address?: Maybe<Scalars['String']['output']>;\n /** An object relationship */\n staking_pool_metadata?: Maybe<Current_Staking_Pool_Voter>;\n};\n\n/** aggregated selection of \"delegator_distinct_pool\" */\nexport type Delegator_Distinct_Pool_Aggregate = {\n __typename?: 'delegator_distinct_pool_aggregate';\n aggregate?: Maybe<Delegator_Distinct_Pool_Aggregate_Fields>;\n nodes: Array<Delegator_Distinct_Pool>;\n};\n\n/** aggregate fields of \"delegator_distinct_pool\" */\nexport type Delegator_Distinct_Pool_Aggregate_Fields = {\n __typename?: 'delegator_distinct_pool_aggregate_fields';\n count: Scalars['Int']['output'];\n max?: Maybe<Delegator_Distinct_Pool_Max_Fields>;\n min?: Maybe<Delegator_Distinct_Pool_Min_Fields>;\n};\n\n\n/** aggregate fields of \"delegator_distinct_pool\" */\nexport type Delegator_Distinct_Pool_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Delegator_Distinct_Pool_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"delegator_distinct_pool\". All fields are combined with a logical 'AND'. */\nexport type Delegator_Distinct_Pool_Bool_Exp = {\n _and?: InputMaybe<Array<Delegator_Distinct_Pool_Bool_Exp>>;\n _not?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n _or?: InputMaybe<Array<Delegator_Distinct_Pool_Bool_Exp>>;\n current_pool_balance?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n delegator_address?: InputMaybe<String_Comparison_Exp>;\n pool_address?: InputMaybe<String_Comparison_Exp>;\n staking_pool_metadata?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Delegator_Distinct_Pool_Max_Fields = {\n __typename?: 'delegator_distinct_pool_max_fields';\n delegator_address?: Maybe<Scalars['String']['output']>;\n pool_address?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Delegator_Distinct_Pool_Min_Fields = {\n __typename?: 'delegator_distinct_pool_min_fields';\n delegator_address?: Maybe<Scalars['String']['output']>;\n pool_address?: Maybe<Scalars['String']['output']>;\n};\n\n/** Ordering options when selecting data from \"delegator_distinct_pool\". */\nexport type Delegator_Distinct_Pool_Order_By = {\n current_pool_balance?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Order_By>;\n delegator_address?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n staking_pool_metadata?: InputMaybe<Current_Staking_Pool_Voter_Order_By>;\n};\n\n/** select columns of table \"delegator_distinct_pool\" */\nexport enum Delegator_Distinct_Pool_Select_Column {\n /** column name */\n DelegatorAddress = 'delegator_address',\n /** column name */\n PoolAddress = 'pool_address'\n}\n\n/** Streaming cursor of the table \"delegator_distinct_pool\" */\nexport type Delegator_Distinct_Pool_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Delegator_Distinct_Pool_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Delegator_Distinct_Pool_Stream_Cursor_Value_Input = {\n delegator_address?: InputMaybe<Scalars['String']['input']>;\n pool_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"events\" */\nexport type Events = {\n __typename?: 'events';\n account_address: Scalars['String']['output'];\n creation_number: Scalars['bigint']['output'];\n data: Scalars['jsonb']['output'];\n event_index: Scalars['bigint']['output'];\n indexed_type: Scalars['String']['output'];\n sequence_number: Scalars['bigint']['output'];\n transaction_block_height: Scalars['bigint']['output'];\n transaction_version: Scalars['bigint']['output'];\n type: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"events\" */\nexport type EventsDataArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"events\". All fields are combined with a logical 'AND'. */\nexport type Events_Bool_Exp = {\n _and?: InputMaybe<Array<Events_Bool_Exp>>;\n _not?: InputMaybe<Events_Bool_Exp>;\n _or?: InputMaybe<Array<Events_Bool_Exp>>;\n account_address?: InputMaybe<String_Comparison_Exp>;\n creation_number?: InputMaybe<Bigint_Comparison_Exp>;\n data?: InputMaybe<Jsonb_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n indexed_type?: InputMaybe<String_Comparison_Exp>;\n sequence_number?: InputMaybe<Bigint_Comparison_Exp>;\n transaction_block_height?: InputMaybe<Bigint_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n type?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"events\". */\nexport type Events_Order_By = {\n account_address?: InputMaybe<Order_By>;\n creation_number?: InputMaybe<Order_By>;\n data?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n indexed_type?: InputMaybe<Order_By>;\n sequence_number?: InputMaybe<Order_By>;\n transaction_block_height?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"events\" */\nexport enum Events_Select_Column {\n /** column name */\n AccountAddress = 'account_address',\n /** column name */\n CreationNumber = 'creation_number',\n /** column name */\n Data = 'data',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n IndexedType = 'indexed_type',\n /** column name */\n SequenceNumber = 'sequence_number',\n /** column name */\n TransactionBlockHeight = 'transaction_block_height',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n Type = 'type'\n}\n\n/** Streaming cursor of the table \"events\" */\nexport type Events_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Events_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Events_Stream_Cursor_Value_Input = {\n account_address?: InputMaybe<Scalars['String']['input']>;\n creation_number?: InputMaybe<Scalars['bigint']['input']>;\n data?: InputMaybe<Scalars['jsonb']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n indexed_type?: InputMaybe<Scalars['String']['input']>;\n sequence_number?: InputMaybe<Scalars['bigint']['input']>;\n transaction_block_height?: InputMaybe<Scalars['bigint']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n type?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities = {\n __typename?: 'fungible_asset_activities';\n amount?: Maybe<Scalars['numeric']['output']>;\n asset_type: Scalars['String']['output'];\n block_height: Scalars['bigint']['output'];\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_index: Scalars['bigint']['output'];\n gas_fee_payer_address?: Maybe<Scalars['String']['output']>;\n is_frozen?: Maybe<Scalars['Boolean']['output']>;\n is_gas_fee: Scalars['Boolean']['output'];\n is_transaction_success: Scalars['Boolean']['output'];\n /** An object relationship */\n metadata?: Maybe<Fungible_Asset_Metadata>;\n owner_address: Scalars['String']['output'];\n /** An array relationship */\n owner_aptos_names: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n owner_aptos_names_aggregate: Current_Aptos_Names_Aggregate;\n storage_id: Scalars['String']['output'];\n storage_refund_amount: Scalars['numeric']['output'];\n token_standard: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n type: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"fungible_asset_activities\" */\nexport type Fungible_Asset_ActivitiesOwner_Aptos_NamesArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"fungible_asset_activities\" */\nexport type Fungible_Asset_ActivitiesOwner_Aptos_Names_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n/** order by aggregate values of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Aggregate_Order_By = {\n avg?: InputMaybe<Fungible_Asset_Activities_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Fungible_Asset_Activities_Max_Order_By>;\n min?: InputMaybe<Fungible_Asset_Activities_Min_Order_By>;\n stddev?: InputMaybe<Fungible_Asset_Activities_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Fungible_Asset_Activities_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Fungible_Asset_Activities_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Fungible_Asset_Activities_Sum_Order_By>;\n var_pop?: InputMaybe<Fungible_Asset_Activities_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Fungible_Asset_Activities_Var_Samp_Order_By>;\n variance?: InputMaybe<Fungible_Asset_Activities_Variance_Order_By>;\n};\n\n/** order by avg() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Avg_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"fungible_asset_activities\". All fields are combined with a logical 'AND'. */\nexport type Fungible_Asset_Activities_Bool_Exp = {\n _and?: InputMaybe<Array<Fungible_Asset_Activities_Bool_Exp>>;\n _not?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n _or?: InputMaybe<Array<Fungible_Asset_Activities_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n asset_type?: InputMaybe<String_Comparison_Exp>;\n block_height?: InputMaybe<Bigint_Comparison_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n gas_fee_payer_address?: InputMaybe<String_Comparison_Exp>;\n is_frozen?: InputMaybe<Boolean_Comparison_Exp>;\n is_gas_fee?: InputMaybe<Boolean_Comparison_Exp>;\n is_transaction_success?: InputMaybe<Boolean_Comparison_Exp>;\n metadata?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n owner_aptos_names?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n storage_id?: InputMaybe<String_Comparison_Exp>;\n storage_refund_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n type?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** order by max() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Max_Order_By = {\n amount?: InputMaybe<Order_By>;\n asset_type?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n gas_fee_payer_address?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** order by min() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Min_Order_By = {\n amount?: InputMaybe<Order_By>;\n asset_type?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n gas_fee_payer_address?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n storage_id?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"fungible_asset_activities\". */\nexport type Fungible_Asset_Activities_Order_By = {\n amount?: InputMaybe<Order_By>;\n asset_type?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n gas_fee_payer_address?: InputMaybe<Order_By>;\n is_frozen?: InputMaybe<Order_By>;\n is_gas_fee?: InputMaybe<Order_By>;\n is_transaction_success?: InputMaybe<Order_By>;\n metadata?: InputMaybe<Fungible_Asset_Metadata_Order_By>;\n owner_address?: InputMaybe<Order_By>;\n owner_aptos_names_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n storage_id?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"fungible_asset_activities\" */\nexport enum Fungible_Asset_Activities_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n AssetType = 'asset_type',\n /** column name */\n BlockHeight = 'block_height',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n GasFeePayerAddress = 'gas_fee_payer_address',\n /** column name */\n IsFrozen = 'is_frozen',\n /** column name */\n IsGasFee = 'is_gas_fee',\n /** column name */\n IsTransactionSuccess = 'is_transaction_success',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n StorageId = 'storage_id',\n /** column name */\n StorageRefundAmount = 'storage_refund_amount',\n /** column name */\n TokenStandard = 'token_standard',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n Type = 'type'\n}\n\n/** order by stddev() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Stddev_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by stddev_pop() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Stddev_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by stddev_samp() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Stddev_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Fungible_Asset_Activities_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Fungible_Asset_Activities_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n asset_type?: InputMaybe<Scalars['String']['input']>;\n block_height?: InputMaybe<Scalars['bigint']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n gas_fee_payer_address?: InputMaybe<Scalars['String']['input']>;\n is_frozen?: InputMaybe<Scalars['Boolean']['input']>;\n is_gas_fee?: InputMaybe<Scalars['Boolean']['input']>;\n is_transaction_success?: InputMaybe<Scalars['Boolean']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n storage_id?: InputMaybe<Scalars['String']['input']>;\n storage_refund_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n type?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** order by sum() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Sum_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by var_pop() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Var_Pop_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by var_samp() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Var_Samp_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** order by variance() on columns of table \"fungible_asset_activities\" */\nexport type Fungible_Asset_Activities_Variance_Order_By = {\n amount?: InputMaybe<Order_By>;\n block_height?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n storage_refund_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"fungible_asset_metadata\" */\nexport type Fungible_Asset_Metadata = {\n __typename?: 'fungible_asset_metadata';\n asset_type: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n decimals: Scalars['Int']['output'];\n icon_uri?: Maybe<Scalars['String']['output']>;\n last_transaction_timestamp: Scalars['timestamp']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n name: Scalars['String']['output'];\n project_uri?: Maybe<Scalars['String']['output']>;\n supply_aggregator_table_handle_v1?: Maybe<Scalars['String']['output']>;\n supply_aggregator_table_key_v1?: Maybe<Scalars['String']['output']>;\n symbol: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"fungible_asset_metadata\". All fields are combined with a logical 'AND'. */\nexport type Fungible_Asset_Metadata_Bool_Exp = {\n _and?: InputMaybe<Array<Fungible_Asset_Metadata_Bool_Exp>>;\n _not?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n _or?: InputMaybe<Array<Fungible_Asset_Metadata_Bool_Exp>>;\n asset_type?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n decimals?: InputMaybe<Int_Comparison_Exp>;\n icon_uri?: InputMaybe<String_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n project_uri?: InputMaybe<String_Comparison_Exp>;\n supply_aggregator_table_handle_v1?: InputMaybe<String_Comparison_Exp>;\n supply_aggregator_table_key_v1?: InputMaybe<String_Comparison_Exp>;\n symbol?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"fungible_asset_metadata\". */\nexport type Fungible_Asset_Metadata_Order_By = {\n asset_type?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n decimals?: InputMaybe<Order_By>;\n icon_uri?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n project_uri?: InputMaybe<Order_By>;\n supply_aggregator_table_handle_v1?: InputMaybe<Order_By>;\n supply_aggregator_table_key_v1?: InputMaybe<Order_By>;\n symbol?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"fungible_asset_metadata\" */\nexport enum Fungible_Asset_Metadata_Select_Column {\n /** column name */\n AssetType = 'asset_type',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Decimals = 'decimals',\n /** column name */\n IconUri = 'icon_uri',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Name = 'name',\n /** column name */\n ProjectUri = 'project_uri',\n /** column name */\n SupplyAggregatorTableHandleV1 = 'supply_aggregator_table_handle_v1',\n /** column name */\n SupplyAggregatorTableKeyV1 = 'supply_aggregator_table_key_v1',\n /** column name */\n Symbol = 'symbol',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"fungible_asset_metadata\" */\nexport type Fungible_Asset_Metadata_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Fungible_Asset_Metadata_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Fungible_Asset_Metadata_Stream_Cursor_Value_Input = {\n asset_type?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n decimals?: InputMaybe<Scalars['Int']['input']>;\n icon_uri?: InputMaybe<Scalars['String']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n project_uri?: InputMaybe<Scalars['String']['input']>;\n supply_aggregator_table_handle_v1?: InputMaybe<Scalars['String']['input']>;\n supply_aggregator_table_key_v1?: InputMaybe<Scalars['String']['input']>;\n symbol?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"indexer_status\" */\nexport type Indexer_Status = {\n __typename?: 'indexer_status';\n db: Scalars['String']['output'];\n is_indexer_up: Scalars['Boolean']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"indexer_status\". All fields are combined with a logical 'AND'. */\nexport type Indexer_Status_Bool_Exp = {\n _and?: InputMaybe<Array<Indexer_Status_Bool_Exp>>;\n _not?: InputMaybe<Indexer_Status_Bool_Exp>;\n _or?: InputMaybe<Array<Indexer_Status_Bool_Exp>>;\n db?: InputMaybe<String_Comparison_Exp>;\n is_indexer_up?: InputMaybe<Boolean_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"indexer_status\". */\nexport type Indexer_Status_Order_By = {\n db?: InputMaybe<Order_By>;\n is_indexer_up?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"indexer_status\" */\nexport enum Indexer_Status_Select_Column {\n /** column name */\n Db = 'db',\n /** column name */\n IsIndexerUp = 'is_indexer_up'\n}\n\n/** Streaming cursor of the table \"indexer_status\" */\nexport type Indexer_Status_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Indexer_Status_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Indexer_Status_Stream_Cursor_Value_Input = {\n db?: InputMaybe<Scalars['String']['input']>;\n is_indexer_up?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\nexport type Jsonb_Cast_Exp = {\n String?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Boolean expression to compare columns of type \"jsonb\". All fields are combined with logical 'AND'. */\nexport type Jsonb_Comparison_Exp = {\n _cast?: InputMaybe<Jsonb_Cast_Exp>;\n /** is the column contained in the given json value */\n _contained_in?: InputMaybe<Scalars['jsonb']['input']>;\n /** does the column contain the given json value at the top level */\n _contains?: InputMaybe<Scalars['jsonb']['input']>;\n _eq?: InputMaybe<Scalars['jsonb']['input']>;\n _gt?: InputMaybe<Scalars['jsonb']['input']>;\n _gte?: InputMaybe<Scalars['jsonb']['input']>;\n /** does the string exist as a top-level key in the column */\n _has_key?: InputMaybe<Scalars['String']['input']>;\n /** do all of these strings exist as top-level keys in the column */\n _has_keys_all?: InputMaybe<Array<Scalars['String']['input']>>;\n /** do any of these strings exist as top-level keys in the column */\n _has_keys_any?: InputMaybe<Array<Scalars['String']['input']>>;\n _in?: InputMaybe<Array<Scalars['jsonb']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['jsonb']['input']>;\n _lte?: InputMaybe<Scalars['jsonb']['input']>;\n _neq?: InputMaybe<Scalars['jsonb']['input']>;\n _nin?: InputMaybe<Array<Scalars['jsonb']['input']>>;\n};\n\n/** columns and relationships of \"ledger_infos\" */\nexport type Ledger_Infos = {\n __typename?: 'ledger_infos';\n chain_id: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"ledger_infos\". All fields are combined with a logical 'AND'. */\nexport type Ledger_Infos_Bool_Exp = {\n _and?: InputMaybe<Array<Ledger_Infos_Bool_Exp>>;\n _not?: InputMaybe<Ledger_Infos_Bool_Exp>;\n _or?: InputMaybe<Array<Ledger_Infos_Bool_Exp>>;\n chain_id?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"ledger_infos\". */\nexport type Ledger_Infos_Order_By = {\n chain_id?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"ledger_infos\" */\nexport enum Ledger_Infos_Select_Column {\n /** column name */\n ChainId = 'chain_id'\n}\n\n/** Streaming cursor of the table \"ledger_infos\" */\nexport type Ledger_Infos_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Ledger_Infos_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Ledger_Infos_Stream_Cursor_Value_Input = {\n chain_id?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"move_resources\" */\nexport type Move_Resources = {\n __typename?: 'move_resources';\n address: Scalars['String']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** aggregated selection of \"move_resources\" */\nexport type Move_Resources_Aggregate = {\n __typename?: 'move_resources_aggregate';\n aggregate?: Maybe<Move_Resources_Aggregate_Fields>;\n nodes: Array<Move_Resources>;\n};\n\n/** aggregate fields of \"move_resources\" */\nexport type Move_Resources_Aggregate_Fields = {\n __typename?: 'move_resources_aggregate_fields';\n avg?: Maybe<Move_Resources_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Move_Resources_Max_Fields>;\n min?: Maybe<Move_Resources_Min_Fields>;\n stddev?: Maybe<Move_Resources_Stddev_Fields>;\n stddev_pop?: Maybe<Move_Resources_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Move_Resources_Stddev_Samp_Fields>;\n sum?: Maybe<Move_Resources_Sum_Fields>;\n var_pop?: Maybe<Move_Resources_Var_Pop_Fields>;\n var_samp?: Maybe<Move_Resources_Var_Samp_Fields>;\n variance?: Maybe<Move_Resources_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"move_resources\" */\nexport type Move_Resources_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Move_Resources_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Move_Resources_Avg_Fields = {\n __typename?: 'move_resources_avg_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"move_resources\". All fields are combined with a logical 'AND'. */\nexport type Move_Resources_Bool_Exp = {\n _and?: InputMaybe<Array<Move_Resources_Bool_Exp>>;\n _not?: InputMaybe<Move_Resources_Bool_Exp>;\n _or?: InputMaybe<Array<Move_Resources_Bool_Exp>>;\n address?: InputMaybe<String_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Move_Resources_Max_Fields = {\n __typename?: 'move_resources_max_fields';\n address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Move_Resources_Min_Fields = {\n __typename?: 'move_resources_min_fields';\n address?: Maybe<Scalars['String']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** Ordering options when selecting data from \"move_resources\". */\nexport type Move_Resources_Order_By = {\n address?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"move_resources\" */\nexport enum Move_Resources_Select_Column {\n /** column name */\n Address = 'address',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** aggregate stddev on columns */\nexport type Move_Resources_Stddev_Fields = {\n __typename?: 'move_resources_stddev_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Move_Resources_Stddev_Pop_Fields = {\n __typename?: 'move_resources_stddev_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Move_Resources_Stddev_Samp_Fields = {\n __typename?: 'move_resources_stddev_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"move_resources\" */\nexport type Move_Resources_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Move_Resources_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Move_Resources_Stream_Cursor_Value_Input = {\n address?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Move_Resources_Sum_Fields = {\n __typename?: 'move_resources_sum_fields';\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Move_Resources_Var_Pop_Fields = {\n __typename?: 'move_resources_var_pop_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Move_Resources_Var_Samp_Fields = {\n __typename?: 'move_resources_var_samp_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Move_Resources_Variance_Fields = {\n __typename?: 'move_resources_variance_fields';\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** columns and relationships of \"nft_marketplace_v2.current_nft_marketplace_auctions\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions = {\n __typename?: 'nft_marketplace_v2_current_nft_marketplace_auctions';\n buy_it_now_price?: Maybe<Scalars['numeric']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_id: Scalars['String']['output'];\n contract_address: Scalars['String']['output'];\n current_bid_price?: Maybe<Scalars['numeric']['output']>;\n current_bidder?: Maybe<Scalars['String']['output']>;\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n entry_function_id_str: Scalars['String']['output'];\n expiration_time: Scalars['numeric']['output'];\n fee_schedule_id: Scalars['String']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_transaction_timestamp: Scalars['timestamptz']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n listing_id: Scalars['String']['output'];\n marketplace: Scalars['String']['output'];\n seller: Scalars['String']['output'];\n starting_bid_price: Scalars['numeric']['output'];\n token_amount: Scalars['numeric']['output'];\n token_data_id: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"nft_marketplace_v2.current_nft_marketplace_auctions\". All fields are combined with a logical 'AND'. */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>>;\n _not?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>>;\n buy_it_now_price?: InputMaybe<Numeric_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n contract_address?: InputMaybe<String_Comparison_Exp>;\n current_bid_price?: InputMaybe<Numeric_Comparison_Exp>;\n current_bidder?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n expiration_time?: InputMaybe<Numeric_Comparison_Exp>;\n fee_schedule_id?: InputMaybe<String_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamptz_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n listing_id?: InputMaybe<String_Comparison_Exp>;\n marketplace?: InputMaybe<String_Comparison_Exp>;\n seller?: InputMaybe<String_Comparison_Exp>;\n starting_bid_price?: InputMaybe<Numeric_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_marketplace_v2.current_nft_marketplace_auctions\". */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Order_By = {\n buy_it_now_price?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n contract_address?: InputMaybe<Order_By>;\n current_bid_price?: InputMaybe<Order_By>;\n current_bidder?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n expiration_time?: InputMaybe<Order_By>;\n fee_schedule_id?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n listing_id?: InputMaybe<Order_By>;\n marketplace?: InputMaybe<Order_By>;\n seller?: InputMaybe<Order_By>;\n starting_bid_price?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_marketplace_v2.current_nft_marketplace_auctions\" */\nexport enum Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Select_Column {\n /** column name */\n BuyItNowPrice = 'buy_it_now_price',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n ContractAddress = 'contract_address',\n /** column name */\n CurrentBidPrice = 'current_bid_price',\n /** column name */\n CurrentBidder = 'current_bidder',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n ExpirationTime = 'expiration_time',\n /** column name */\n FeeScheduleId = 'fee_schedule_id',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n ListingId = 'listing_id',\n /** column name */\n Marketplace = 'marketplace',\n /** column name */\n Seller = 'seller',\n /** column name */\n StartingBidPrice = 'starting_bid_price',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"nft_marketplace_v2_current_nft_marketplace_auctions\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Stream_Cursor_Value_Input = {\n buy_it_now_price?: InputMaybe<Scalars['numeric']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n contract_address?: InputMaybe<Scalars['String']['input']>;\n current_bid_price?: InputMaybe<Scalars['numeric']['input']>;\n current_bidder?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n expiration_time?: InputMaybe<Scalars['numeric']['input']>;\n fee_schedule_id?: InputMaybe<Scalars['String']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamptz']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n listing_id?: InputMaybe<Scalars['String']['input']>;\n marketplace?: InputMaybe<Scalars['String']['input']>;\n seller?: InputMaybe<Scalars['String']['input']>;\n starting_bid_price?: InputMaybe<Scalars['numeric']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers = {\n __typename?: 'nft_marketplace_v2_current_nft_marketplace_collection_offers';\n buyer: Scalars['String']['output'];\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_id: Scalars['String']['output'];\n collection_offer_id: Scalars['String']['output'];\n contract_address: Scalars['String']['output'];\n /** An object relationship */\n current_collection_v2?: Maybe<Current_Collections_V2>;\n entry_function_id_str: Scalars['String']['output'];\n expiration_time: Scalars['numeric']['output'];\n fee_schedule_id: Scalars['String']['output'];\n is_deleted: Scalars['Boolean']['output'];\n item_price: Scalars['numeric']['output'];\n last_transaction_timestamp: Scalars['timestamptz']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n marketplace: Scalars['String']['output'];\n remaining_token_amount: Scalars['numeric']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"nft_marketplace_v2.current_nft_marketplace_collection_offers\". All fields are combined with a logical 'AND'. */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>>;\n _not?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>>;\n buyer?: InputMaybe<String_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n collection_offer_id?: InputMaybe<String_Comparison_Exp>;\n contract_address?: InputMaybe<String_Comparison_Exp>;\n current_collection_v2?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n expiration_time?: InputMaybe<Numeric_Comparison_Exp>;\n fee_schedule_id?: InputMaybe<String_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n item_price?: InputMaybe<Numeric_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamptz_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n marketplace?: InputMaybe<String_Comparison_Exp>;\n remaining_token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_marketplace_v2.current_nft_marketplace_collection_offers\". */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Order_By = {\n buyer?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n collection_offer_id?: InputMaybe<Order_By>;\n contract_address?: InputMaybe<Order_By>;\n current_collection_v2?: InputMaybe<Current_Collections_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n expiration_time?: InputMaybe<Order_By>;\n fee_schedule_id?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n item_price?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n marketplace?: InputMaybe<Order_By>;\n remaining_token_amount?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" */\nexport enum Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Select_Column {\n /** column name */\n Buyer = 'buyer',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n CollectionOfferId = 'collection_offer_id',\n /** column name */\n ContractAddress = 'contract_address',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n ExpirationTime = 'expiration_time',\n /** column name */\n FeeScheduleId = 'fee_schedule_id',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n ItemPrice = 'item_price',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Marketplace = 'marketplace',\n /** column name */\n RemainingTokenAmount = 'remaining_token_amount',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"nft_marketplace_v2_current_nft_marketplace_collection_offers\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Stream_Cursor_Value_Input = {\n buyer?: InputMaybe<Scalars['String']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n collection_offer_id?: InputMaybe<Scalars['String']['input']>;\n contract_address?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n expiration_time?: InputMaybe<Scalars['numeric']['input']>;\n fee_schedule_id?: InputMaybe<Scalars['String']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n item_price?: InputMaybe<Scalars['numeric']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamptz']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n marketplace?: InputMaybe<Scalars['String']['input']>;\n remaining_token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"nft_marketplace_v2.current_nft_marketplace_listings\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Listings = {\n __typename?: 'nft_marketplace_v2_current_nft_marketplace_listings';\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_id: Scalars['String']['output'];\n contract_address: Scalars['String']['output'];\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n entry_function_id_str: Scalars['String']['output'];\n fee_schedule_id: Scalars['String']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_transaction_timestamp: Scalars['timestamptz']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n listing_id: Scalars['String']['output'];\n marketplace: Scalars['String']['output'];\n price: Scalars['numeric']['output'];\n seller: Scalars['String']['output'];\n token_amount: Scalars['numeric']['output'];\n token_data_id: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"nft_marketplace_v2.current_nft_marketplace_listings\". All fields are combined with a logical 'AND'. */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>>;\n _not?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n contract_address?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n fee_schedule_id?: InputMaybe<String_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamptz_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n listing_id?: InputMaybe<String_Comparison_Exp>;\n marketplace?: InputMaybe<String_Comparison_Exp>;\n price?: InputMaybe<Numeric_Comparison_Exp>;\n seller?: InputMaybe<String_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_marketplace_v2.current_nft_marketplace_listings\". */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Order_By = {\n coin_type?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n contract_address?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n fee_schedule_id?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n listing_id?: InputMaybe<Order_By>;\n marketplace?: InputMaybe<Order_By>;\n price?: InputMaybe<Order_By>;\n seller?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_marketplace_v2.current_nft_marketplace_listings\" */\nexport enum Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Select_Column {\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n ContractAddress = 'contract_address',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n FeeScheduleId = 'fee_schedule_id',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n ListingId = 'listing_id',\n /** column name */\n Marketplace = 'marketplace',\n /** column name */\n Price = 'price',\n /** column name */\n Seller = 'seller',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"nft_marketplace_v2_current_nft_marketplace_listings\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Stream_Cursor_Value_Input = {\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n contract_address?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n fee_schedule_id?: InputMaybe<Scalars['String']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamptz']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n listing_id?: InputMaybe<Scalars['String']['input']>;\n marketplace?: InputMaybe<Scalars['String']['input']>;\n price?: InputMaybe<Scalars['numeric']['input']>;\n seller?: InputMaybe<Scalars['String']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"nft_marketplace_v2.current_nft_marketplace_token_offers\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers = {\n __typename?: 'nft_marketplace_v2_current_nft_marketplace_token_offers';\n buyer: Scalars['String']['output'];\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_id: Scalars['String']['output'];\n contract_address: Scalars['String']['output'];\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n entry_function_id_str: Scalars['String']['output'];\n expiration_time: Scalars['numeric']['output'];\n fee_schedule_id: Scalars['String']['output'];\n is_deleted: Scalars['Boolean']['output'];\n last_transaction_timestamp: Scalars['timestamptz']['output'];\n last_transaction_version: Scalars['bigint']['output'];\n marketplace: Scalars['String']['output'];\n offer_id: Scalars['String']['output'];\n price: Scalars['numeric']['output'];\n token_amount: Scalars['numeric']['output'];\n token_data_id: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"nft_marketplace_v2.current_nft_marketplace_token_offers\". All fields are combined with a logical 'AND'. */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>>;\n _not?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>>;\n buyer?: InputMaybe<String_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n contract_address?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n expiration_time?: InputMaybe<Numeric_Comparison_Exp>;\n fee_schedule_id?: InputMaybe<String_Comparison_Exp>;\n is_deleted?: InputMaybe<Boolean_Comparison_Exp>;\n last_transaction_timestamp?: InputMaybe<Timestamptz_Comparison_Exp>;\n last_transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n marketplace?: InputMaybe<String_Comparison_Exp>;\n offer_id?: InputMaybe<String_Comparison_Exp>;\n price?: InputMaybe<Numeric_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_marketplace_v2.current_nft_marketplace_token_offers\". */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Order_By = {\n buyer?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n contract_address?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n expiration_time?: InputMaybe<Order_By>;\n fee_schedule_id?: InputMaybe<Order_By>;\n is_deleted?: InputMaybe<Order_By>;\n last_transaction_timestamp?: InputMaybe<Order_By>;\n last_transaction_version?: InputMaybe<Order_By>;\n marketplace?: InputMaybe<Order_By>;\n offer_id?: InputMaybe<Order_By>;\n price?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_marketplace_v2.current_nft_marketplace_token_offers\" */\nexport enum Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Select_Column {\n /** column name */\n Buyer = 'buyer',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n ContractAddress = 'contract_address',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n ExpirationTime = 'expiration_time',\n /** column name */\n FeeScheduleId = 'fee_schedule_id',\n /** column name */\n IsDeleted = 'is_deleted',\n /** column name */\n LastTransactionTimestamp = 'last_transaction_timestamp',\n /** column name */\n LastTransactionVersion = 'last_transaction_version',\n /** column name */\n Marketplace = 'marketplace',\n /** column name */\n OfferId = 'offer_id',\n /** column name */\n Price = 'price',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenStandard = 'token_standard'\n}\n\n/** Streaming cursor of the table \"nft_marketplace_v2_current_nft_marketplace_token_offers\" */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Stream_Cursor_Value_Input = {\n buyer?: InputMaybe<Scalars['String']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n contract_address?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n expiration_time?: InputMaybe<Scalars['numeric']['input']>;\n fee_schedule_id?: InputMaybe<Scalars['String']['input']>;\n is_deleted?: InputMaybe<Scalars['Boolean']['input']>;\n last_transaction_timestamp?: InputMaybe<Scalars['timestamptz']['input']>;\n last_transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n marketplace?: InputMaybe<Scalars['String']['input']>;\n offer_id?: InputMaybe<Scalars['String']['input']>;\n price?: InputMaybe<Scalars['numeric']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"nft_marketplace_v2.nft_marketplace_activities\" */\nexport type Nft_Marketplace_V2_Nft_Marketplace_Activities = {\n __typename?: 'nft_marketplace_v2_nft_marketplace_activities';\n buyer?: Maybe<Scalars['String']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_id: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n contract_address: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n entry_function_id_str: Scalars['String']['output'];\n event_index: Scalars['bigint']['output'];\n event_type: Scalars['String']['output'];\n fee_schedule_id: Scalars['String']['output'];\n marketplace: Scalars['String']['output'];\n offer_or_listing_id: Scalars['String']['output'];\n price: Scalars['numeric']['output'];\n property_version?: Maybe<Scalars['String']['output']>;\n seller?: Maybe<Scalars['String']['output']>;\n token_amount: Scalars['numeric']['output'];\n token_data_id?: Maybe<Scalars['String']['output']>;\n token_name?: Maybe<Scalars['String']['output']>;\n token_standard: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamptz']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"nft_marketplace_v2.nft_marketplace_activities\". All fields are combined with a logical 'AND'. */\nexport type Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>>;\n _not?: InputMaybe<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>>;\n buyer?: InputMaybe<String_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_id?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n contract_address?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n event_type?: InputMaybe<String_Comparison_Exp>;\n fee_schedule_id?: InputMaybe<String_Comparison_Exp>;\n marketplace?: InputMaybe<String_Comparison_Exp>;\n offer_or_listing_id?: InputMaybe<String_Comparison_Exp>;\n price?: InputMaybe<Numeric_Comparison_Exp>;\n property_version?: InputMaybe<String_Comparison_Exp>;\n seller?: InputMaybe<String_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_name?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamptz_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_marketplace_v2.nft_marketplace_activities\". */\nexport type Nft_Marketplace_V2_Nft_Marketplace_Activities_Order_By = {\n buyer?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_id?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n contract_address?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_type?: InputMaybe<Order_By>;\n fee_schedule_id?: InputMaybe<Order_By>;\n marketplace?: InputMaybe<Order_By>;\n offer_or_listing_id?: InputMaybe<Order_By>;\n price?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n seller?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_name?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_marketplace_v2.nft_marketplace_activities\" */\nexport enum Nft_Marketplace_V2_Nft_Marketplace_Activities_Select_Column {\n /** column name */\n Buyer = 'buyer',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionId = 'collection_id',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n ContractAddress = 'contract_address',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n EventType = 'event_type',\n /** column name */\n FeeScheduleId = 'fee_schedule_id',\n /** column name */\n Marketplace = 'marketplace',\n /** column name */\n OfferOrListingId = 'offer_or_listing_id',\n /** column name */\n Price = 'price',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n Seller = 'seller',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenName = 'token_name',\n /** column name */\n TokenStandard = 'token_standard',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** Streaming cursor of the table \"nft_marketplace_v2_nft_marketplace_activities\" */\nexport type Nft_Marketplace_V2_Nft_Marketplace_Activities_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Marketplace_V2_Nft_Marketplace_Activities_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Marketplace_V2_Nft_Marketplace_Activities_Stream_Cursor_Value_Input = {\n buyer?: InputMaybe<Scalars['String']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_id?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n contract_address?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n event_type?: InputMaybe<Scalars['String']['input']>;\n fee_schedule_id?: InputMaybe<Scalars['String']['input']>;\n marketplace?: InputMaybe<Scalars['String']['input']>;\n offer_or_listing_id?: InputMaybe<Scalars['String']['input']>;\n price?: InputMaybe<Scalars['numeric']['input']>;\n property_version?: InputMaybe<Scalars['String']['input']>;\n seller?: InputMaybe<Scalars['String']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_name?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamptz']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"nft_metadata_crawler.parsed_asset_uris\" */\nexport type Nft_Metadata_Crawler_Parsed_Asset_Uris = {\n __typename?: 'nft_metadata_crawler_parsed_asset_uris';\n animation_optimizer_retry_count: Scalars['Int']['output'];\n asset_uri: Scalars['String']['output'];\n cdn_animation_uri?: Maybe<Scalars['String']['output']>;\n cdn_image_uri?: Maybe<Scalars['String']['output']>;\n cdn_json_uri?: Maybe<Scalars['String']['output']>;\n image_optimizer_retry_count: Scalars['Int']['output'];\n json_parser_retry_count: Scalars['Int']['output'];\n raw_animation_uri?: Maybe<Scalars['String']['output']>;\n raw_image_uri?: Maybe<Scalars['String']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"nft_metadata_crawler.parsed_asset_uris\". All fields are combined with a logical 'AND'. */\nexport type Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp = {\n _and?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>>;\n _not?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n _or?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>>;\n animation_optimizer_retry_count?: InputMaybe<Int_Comparison_Exp>;\n asset_uri?: InputMaybe<String_Comparison_Exp>;\n cdn_animation_uri?: InputMaybe<String_Comparison_Exp>;\n cdn_image_uri?: InputMaybe<String_Comparison_Exp>;\n cdn_json_uri?: InputMaybe<String_Comparison_Exp>;\n image_optimizer_retry_count?: InputMaybe<Int_Comparison_Exp>;\n json_parser_retry_count?: InputMaybe<Int_Comparison_Exp>;\n raw_animation_uri?: InputMaybe<String_Comparison_Exp>;\n raw_image_uri?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"nft_metadata_crawler.parsed_asset_uris\". */\nexport type Nft_Metadata_Crawler_Parsed_Asset_Uris_Order_By = {\n animation_optimizer_retry_count?: InputMaybe<Order_By>;\n asset_uri?: InputMaybe<Order_By>;\n cdn_animation_uri?: InputMaybe<Order_By>;\n cdn_image_uri?: InputMaybe<Order_By>;\n cdn_json_uri?: InputMaybe<Order_By>;\n image_optimizer_retry_count?: InputMaybe<Order_By>;\n json_parser_retry_count?: InputMaybe<Order_By>;\n raw_animation_uri?: InputMaybe<Order_By>;\n raw_image_uri?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"nft_metadata_crawler.parsed_asset_uris\" */\nexport enum Nft_Metadata_Crawler_Parsed_Asset_Uris_Select_Column {\n /** column name */\n AnimationOptimizerRetryCount = 'animation_optimizer_retry_count',\n /** column name */\n AssetUri = 'asset_uri',\n /** column name */\n CdnAnimationUri = 'cdn_animation_uri',\n /** column name */\n CdnImageUri = 'cdn_image_uri',\n /** column name */\n CdnJsonUri = 'cdn_json_uri',\n /** column name */\n ImageOptimizerRetryCount = 'image_optimizer_retry_count',\n /** column name */\n JsonParserRetryCount = 'json_parser_retry_count',\n /** column name */\n RawAnimationUri = 'raw_animation_uri',\n /** column name */\n RawImageUri = 'raw_image_uri'\n}\n\n/** Streaming cursor of the table \"nft_metadata_crawler_parsed_asset_uris\" */\nexport type Nft_Metadata_Crawler_Parsed_Asset_Uris_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Nft_Metadata_Crawler_Parsed_Asset_Uris_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Nft_Metadata_Crawler_Parsed_Asset_Uris_Stream_Cursor_Value_Input = {\n animation_optimizer_retry_count?: InputMaybe<Scalars['Int']['input']>;\n asset_uri?: InputMaybe<Scalars['String']['input']>;\n cdn_animation_uri?: InputMaybe<Scalars['String']['input']>;\n cdn_image_uri?: InputMaybe<Scalars['String']['input']>;\n cdn_json_uri?: InputMaybe<Scalars['String']['input']>;\n image_optimizer_retry_count?: InputMaybe<Scalars['Int']['input']>;\n json_parser_retry_count?: InputMaybe<Scalars['Int']['input']>;\n raw_animation_uri?: InputMaybe<Scalars['String']['input']>;\n raw_image_uri?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"num_active_delegator_per_pool\" */\nexport type Num_Active_Delegator_Per_Pool = {\n __typename?: 'num_active_delegator_per_pool';\n num_active_delegator?: Maybe<Scalars['bigint']['output']>;\n pool_address?: Maybe<Scalars['String']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"num_active_delegator_per_pool\". All fields are combined with a logical 'AND'. */\nexport type Num_Active_Delegator_Per_Pool_Bool_Exp = {\n _and?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Bool_Exp>>;\n _not?: InputMaybe<Num_Active_Delegator_Per_Pool_Bool_Exp>;\n _or?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Bool_Exp>>;\n num_active_delegator?: InputMaybe<Bigint_Comparison_Exp>;\n pool_address?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"num_active_delegator_per_pool\". */\nexport type Num_Active_Delegator_Per_Pool_Order_By = {\n num_active_delegator?: InputMaybe<Order_By>;\n pool_address?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"num_active_delegator_per_pool\" */\nexport enum Num_Active_Delegator_Per_Pool_Select_Column {\n /** column name */\n NumActiveDelegator = 'num_active_delegator',\n /** column name */\n PoolAddress = 'pool_address'\n}\n\n/** Streaming cursor of the table \"num_active_delegator_per_pool\" */\nexport type Num_Active_Delegator_Per_Pool_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Num_Active_Delegator_Per_Pool_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Num_Active_Delegator_Per_Pool_Stream_Cursor_Value_Input = {\n num_active_delegator?: InputMaybe<Scalars['bigint']['input']>;\n pool_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to compare columns of type \"numeric\". All fields are combined with logical 'AND'. */\nexport type Numeric_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['numeric']['input']>;\n _gt?: InputMaybe<Scalars['numeric']['input']>;\n _gte?: InputMaybe<Scalars['numeric']['input']>;\n _in?: InputMaybe<Array<Scalars['numeric']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['numeric']['input']>;\n _lte?: InputMaybe<Scalars['numeric']['input']>;\n _neq?: InputMaybe<Scalars['numeric']['input']>;\n _nin?: InputMaybe<Array<Scalars['numeric']['input']>>;\n};\n\n/** column ordering options */\nexport enum Order_By {\n /** in ascending order, nulls last */\n Asc = 'asc',\n /** in ascending order, nulls first */\n AscNullsFirst = 'asc_nulls_first',\n /** in ascending order, nulls last */\n AscNullsLast = 'asc_nulls_last',\n /** in descending order, nulls first */\n Desc = 'desc',\n /** in descending order, nulls first */\n DescNullsFirst = 'desc_nulls_first',\n /** in descending order, nulls last */\n DescNullsLast = 'desc_nulls_last'\n}\n\n/** columns and relationships of \"processor_status\" */\nexport type Processor_Status = {\n __typename?: 'processor_status';\n last_success_version: Scalars['bigint']['output'];\n last_updated: Scalars['timestamp']['output'];\n processor: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"processor_status\". All fields are combined with a logical 'AND'. */\nexport type Processor_Status_Bool_Exp = {\n _and?: InputMaybe<Array<Processor_Status_Bool_Exp>>;\n _not?: InputMaybe<Processor_Status_Bool_Exp>;\n _or?: InputMaybe<Array<Processor_Status_Bool_Exp>>;\n last_success_version?: InputMaybe<Bigint_Comparison_Exp>;\n last_updated?: InputMaybe<Timestamp_Comparison_Exp>;\n processor?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"processor_status\". */\nexport type Processor_Status_Order_By = {\n last_success_version?: InputMaybe<Order_By>;\n last_updated?: InputMaybe<Order_By>;\n processor?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"processor_status\" */\nexport enum Processor_Status_Select_Column {\n /** column name */\n LastSuccessVersion = 'last_success_version',\n /** column name */\n LastUpdated = 'last_updated',\n /** column name */\n Processor = 'processor'\n}\n\n/** Streaming cursor of the table \"processor_status\" */\nexport type Processor_Status_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Processor_Status_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Processor_Status_Stream_Cursor_Value_Input = {\n last_success_version?: InputMaybe<Scalars['bigint']['input']>;\n last_updated?: InputMaybe<Scalars['timestamp']['input']>;\n processor?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** columns and relationships of \"proposal_votes\" */\nexport type Proposal_Votes = {\n __typename?: 'proposal_votes';\n num_votes: Scalars['numeric']['output'];\n proposal_id: Scalars['bigint']['output'];\n should_pass: Scalars['Boolean']['output'];\n staking_pool_address: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n voter_address: Scalars['String']['output'];\n};\n\n/** aggregated selection of \"proposal_votes\" */\nexport type Proposal_Votes_Aggregate = {\n __typename?: 'proposal_votes_aggregate';\n aggregate?: Maybe<Proposal_Votes_Aggregate_Fields>;\n nodes: Array<Proposal_Votes>;\n};\n\n/** aggregate fields of \"proposal_votes\" */\nexport type Proposal_Votes_Aggregate_Fields = {\n __typename?: 'proposal_votes_aggregate_fields';\n avg?: Maybe<Proposal_Votes_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Proposal_Votes_Max_Fields>;\n min?: Maybe<Proposal_Votes_Min_Fields>;\n stddev?: Maybe<Proposal_Votes_Stddev_Fields>;\n stddev_pop?: Maybe<Proposal_Votes_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Proposal_Votes_Stddev_Samp_Fields>;\n sum?: Maybe<Proposal_Votes_Sum_Fields>;\n var_pop?: Maybe<Proposal_Votes_Var_Pop_Fields>;\n var_samp?: Maybe<Proposal_Votes_Var_Samp_Fields>;\n variance?: Maybe<Proposal_Votes_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"proposal_votes\" */\nexport type Proposal_Votes_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Proposal_Votes_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** aggregate avg on columns */\nexport type Proposal_Votes_Avg_Fields = {\n __typename?: 'proposal_votes_avg_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Boolean expression to filter rows from the table \"proposal_votes\". All fields are combined with a logical 'AND'. */\nexport type Proposal_Votes_Bool_Exp = {\n _and?: InputMaybe<Array<Proposal_Votes_Bool_Exp>>;\n _not?: InputMaybe<Proposal_Votes_Bool_Exp>;\n _or?: InputMaybe<Array<Proposal_Votes_Bool_Exp>>;\n num_votes?: InputMaybe<Numeric_Comparison_Exp>;\n proposal_id?: InputMaybe<Bigint_Comparison_Exp>;\n should_pass?: InputMaybe<Boolean_Comparison_Exp>;\n staking_pool_address?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n voter_address?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Proposal_Votes_Max_Fields = {\n __typename?: 'proposal_votes_max_fields';\n num_votes?: Maybe<Scalars['numeric']['output']>;\n proposal_id?: Maybe<Scalars['bigint']['output']>;\n staking_pool_address?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n voter_address?: Maybe<Scalars['String']['output']>;\n};\n\n/** aggregate min on columns */\nexport type Proposal_Votes_Min_Fields = {\n __typename?: 'proposal_votes_min_fields';\n num_votes?: Maybe<Scalars['numeric']['output']>;\n proposal_id?: Maybe<Scalars['bigint']['output']>;\n staking_pool_address?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n voter_address?: Maybe<Scalars['String']['output']>;\n};\n\n/** Ordering options when selecting data from \"proposal_votes\". */\nexport type Proposal_Votes_Order_By = {\n num_votes?: InputMaybe<Order_By>;\n proposal_id?: InputMaybe<Order_By>;\n should_pass?: InputMaybe<Order_By>;\n staking_pool_address?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n voter_address?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"proposal_votes\" */\nexport enum Proposal_Votes_Select_Column {\n /** column name */\n NumVotes = 'num_votes',\n /** column name */\n ProposalId = 'proposal_id',\n /** column name */\n ShouldPass = 'should_pass',\n /** column name */\n StakingPoolAddress = 'staking_pool_address',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n VoterAddress = 'voter_address'\n}\n\n/** aggregate stddev on columns */\nexport type Proposal_Votes_Stddev_Fields = {\n __typename?: 'proposal_votes_stddev_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Proposal_Votes_Stddev_Pop_Fields = {\n __typename?: 'proposal_votes_stddev_pop_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Proposal_Votes_Stddev_Samp_Fields = {\n __typename?: 'proposal_votes_stddev_samp_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** Streaming cursor of the table \"proposal_votes\" */\nexport type Proposal_Votes_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Proposal_Votes_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Proposal_Votes_Stream_Cursor_Value_Input = {\n num_votes?: InputMaybe<Scalars['numeric']['input']>;\n proposal_id?: InputMaybe<Scalars['bigint']['input']>;\n should_pass?: InputMaybe<Scalars['Boolean']['input']>;\n staking_pool_address?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n voter_address?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Proposal_Votes_Sum_Fields = {\n __typename?: 'proposal_votes_sum_fields';\n num_votes?: Maybe<Scalars['numeric']['output']>;\n proposal_id?: Maybe<Scalars['bigint']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** aggregate var_pop on columns */\nexport type Proposal_Votes_Var_Pop_Fields = {\n __typename?: 'proposal_votes_var_pop_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate var_samp on columns */\nexport type Proposal_Votes_Var_Samp_Fields = {\n __typename?: 'proposal_votes_var_samp_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** aggregate variance on columns */\nexport type Proposal_Votes_Variance_Fields = {\n __typename?: 'proposal_votes_variance_fields';\n num_votes?: Maybe<Scalars['Float']['output']>;\n proposal_id?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\nexport type Query_Root = {\n __typename?: 'query_root';\n /** fetch data from the table: \"account_transactions\" */\n account_transactions: Array<Account_Transactions>;\n /** fetch aggregated fields from the table: \"account_transactions\" */\n account_transactions_aggregate: Account_Transactions_Aggregate;\n /** fetch data from the table: \"account_transactions\" using primary key columns */\n account_transactions_by_pk?: Maybe<Account_Transactions>;\n /** fetch data from the table: \"address_events_summary\" */\n address_events_summary: Array<Address_Events_Summary>;\n /** fetch data from the table: \"address_version_from_events\" */\n address_version_from_events: Array<Address_Version_From_Events>;\n /** fetch aggregated fields from the table: \"address_version_from_events\" */\n address_version_from_events_aggregate: Address_Version_From_Events_Aggregate;\n /** fetch data from the table: \"address_version_from_move_resources\" */\n address_version_from_move_resources: Array<Address_Version_From_Move_Resources>;\n /** fetch aggregated fields from the table: \"address_version_from_move_resources\" */\n address_version_from_move_resources_aggregate: Address_Version_From_Move_Resources_Aggregate;\n /** fetch data from the table: \"block_metadata_transactions\" */\n block_metadata_transactions: Array<Block_Metadata_Transactions>;\n /** fetch data from the table: \"block_metadata_transactions\" using primary key columns */\n block_metadata_transactions_by_pk?: Maybe<Block_Metadata_Transactions>;\n /** An array relationship */\n coin_activities: Array<Coin_Activities>;\n /** An aggregate relationship */\n coin_activities_aggregate: Coin_Activities_Aggregate;\n /** fetch data from the table: \"coin_activities\" using primary key columns */\n coin_activities_by_pk?: Maybe<Coin_Activities>;\n /** fetch data from the table: \"coin_balances\" */\n coin_balances: Array<Coin_Balances>;\n /** fetch data from the table: \"coin_balances\" using primary key columns */\n coin_balances_by_pk?: Maybe<Coin_Balances>;\n /** fetch data from the table: \"coin_infos\" */\n coin_infos: Array<Coin_Infos>;\n /** fetch data from the table: \"coin_infos\" using primary key columns */\n coin_infos_by_pk?: Maybe<Coin_Infos>;\n /** fetch data from the table: \"coin_supply\" */\n coin_supply: Array<Coin_Supply>;\n /** fetch data from the table: \"coin_supply\" using primary key columns */\n coin_supply_by_pk?: Maybe<Coin_Supply>;\n /** fetch data from the table: \"collection_datas\" */\n collection_datas: Array<Collection_Datas>;\n /** fetch data from the table: \"collection_datas\" using primary key columns */\n collection_datas_by_pk?: Maybe<Collection_Datas>;\n /** fetch data from the table: \"current_ans_lookup\" */\n current_ans_lookup: Array<Current_Ans_Lookup>;\n /** fetch data from the table: \"current_ans_lookup\" using primary key columns */\n current_ans_lookup_by_pk?: Maybe<Current_Ans_Lookup>;\n /** fetch data from the table: \"current_ans_lookup_v2\" */\n current_ans_lookup_v2: Array<Current_Ans_Lookup_V2>;\n /** fetch data from the table: \"current_ans_lookup_v2\" using primary key columns */\n current_ans_lookup_v2_by_pk?: Maybe<Current_Ans_Lookup_V2>;\n /** fetch data from the table: \"current_aptos_names\" */\n current_aptos_names: Array<Current_Aptos_Names>;\n /** fetch aggregated fields from the table: \"current_aptos_names\" */\n current_aptos_names_aggregate: Current_Aptos_Names_Aggregate;\n /** fetch data from the table: \"current_coin_balances\" */\n current_coin_balances: Array<Current_Coin_Balances>;\n /** fetch data from the table: \"current_coin_balances\" using primary key columns */\n current_coin_balances_by_pk?: Maybe<Current_Coin_Balances>;\n /** fetch data from the table: \"current_collection_datas\" */\n current_collection_datas: Array<Current_Collection_Datas>;\n /** fetch data from the table: \"current_collection_datas\" using primary key columns */\n current_collection_datas_by_pk?: Maybe<Current_Collection_Datas>;\n /** fetch data from the table: \"current_collection_ownership_v2_view\" */\n current_collection_ownership_v2_view: Array<Current_Collection_Ownership_V2_View>;\n /** fetch aggregated fields from the table: \"current_collection_ownership_v2_view\" */\n current_collection_ownership_v2_view_aggregate: Current_Collection_Ownership_V2_View_Aggregate;\n /** fetch data from the table: \"current_collections_v2\" */\n current_collections_v2: Array<Current_Collections_V2>;\n /** fetch data from the table: \"current_collections_v2\" using primary key columns */\n current_collections_v2_by_pk?: Maybe<Current_Collections_V2>;\n /** fetch data from the table: \"current_delegated_staking_pool_balances\" */\n current_delegated_staking_pool_balances: Array<Current_Delegated_Staking_Pool_Balances>;\n /** fetch data from the table: \"current_delegated_staking_pool_balances\" using primary key columns */\n current_delegated_staking_pool_balances_by_pk?: Maybe<Current_Delegated_Staking_Pool_Balances>;\n /** fetch data from the table: \"current_delegated_voter\" */\n current_delegated_voter: Array<Current_Delegated_Voter>;\n /** fetch data from the table: \"current_delegated_voter\" using primary key columns */\n current_delegated_voter_by_pk?: Maybe<Current_Delegated_Voter>;\n /** fetch data from the table: \"current_delegator_balances\" */\n current_delegator_balances: Array<Current_Delegator_Balances>;\n /** fetch data from the table: \"current_delegator_balances\" using primary key columns */\n current_delegator_balances_by_pk?: Maybe<Current_Delegator_Balances>;\n /** fetch data from the table: \"current_fungible_asset_balances\" */\n current_fungible_asset_balances: Array<Current_Fungible_Asset_Balances>;\n /** fetch aggregated fields from the table: \"current_fungible_asset_balances\" */\n current_fungible_asset_balances_aggregate: Current_Fungible_Asset_Balances_Aggregate;\n /** fetch data from the table: \"current_fungible_asset_balances\" using primary key columns */\n current_fungible_asset_balances_by_pk?: Maybe<Current_Fungible_Asset_Balances>;\n /** fetch data from the table: \"current_objects\" */\n current_objects: Array<Current_Objects>;\n /** fetch data from the table: \"current_objects\" using primary key columns */\n current_objects_by_pk?: Maybe<Current_Objects>;\n /** fetch data from the table: \"current_staking_pool_voter\" */\n current_staking_pool_voter: Array<Current_Staking_Pool_Voter>;\n /** fetch data from the table: \"current_staking_pool_voter\" using primary key columns */\n current_staking_pool_voter_by_pk?: Maybe<Current_Staking_Pool_Voter>;\n /** fetch data from the table: \"current_table_items\" */\n current_table_items: Array<Current_Table_Items>;\n /** fetch data from the table: \"current_table_items\" using primary key columns */\n current_table_items_by_pk?: Maybe<Current_Table_Items>;\n /** fetch data from the table: \"current_token_datas\" */\n current_token_datas: Array<Current_Token_Datas>;\n /** fetch data from the table: \"current_token_datas\" using primary key columns */\n current_token_datas_by_pk?: Maybe<Current_Token_Datas>;\n /** fetch data from the table: \"current_token_datas_v2\" */\n current_token_datas_v2: Array<Current_Token_Datas_V2>;\n /** fetch data from the table: \"current_token_datas_v2\" using primary key columns */\n current_token_datas_v2_by_pk?: Maybe<Current_Token_Datas_V2>;\n /** fetch data from the table: \"current_token_ownerships\" */\n current_token_ownerships: Array<Current_Token_Ownerships>;\n /** fetch aggregated fields from the table: \"current_token_ownerships\" */\n current_token_ownerships_aggregate: Current_Token_Ownerships_Aggregate;\n /** fetch data from the table: \"current_token_ownerships\" using primary key columns */\n current_token_ownerships_by_pk?: Maybe<Current_Token_Ownerships>;\n /** fetch data from the table: \"current_token_ownerships_v2\" */\n current_token_ownerships_v2: Array<Current_Token_Ownerships_V2>;\n /** fetch aggregated fields from the table: \"current_token_ownerships_v2\" */\n current_token_ownerships_v2_aggregate: Current_Token_Ownerships_V2_Aggregate;\n /** fetch data from the table: \"current_token_ownerships_v2\" using primary key columns */\n current_token_ownerships_v2_by_pk?: Maybe<Current_Token_Ownerships_V2>;\n /** fetch data from the table: \"current_token_pending_claims\" */\n current_token_pending_claims: Array<Current_Token_Pending_Claims>;\n /** fetch data from the table: \"current_token_pending_claims\" using primary key columns */\n current_token_pending_claims_by_pk?: Maybe<Current_Token_Pending_Claims>;\n /** An array relationship */\n delegated_staking_activities: Array<Delegated_Staking_Activities>;\n /** fetch data from the table: \"delegated_staking_activities\" using primary key columns */\n delegated_staking_activities_by_pk?: Maybe<Delegated_Staking_Activities>;\n /** fetch data from the table: \"delegated_staking_pools\" */\n delegated_staking_pools: Array<Delegated_Staking_Pools>;\n /** fetch data from the table: \"delegated_staking_pools\" using primary key columns */\n delegated_staking_pools_by_pk?: Maybe<Delegated_Staking_Pools>;\n /** fetch data from the table: \"delegator_distinct_pool\" */\n delegator_distinct_pool: Array<Delegator_Distinct_Pool>;\n /** fetch aggregated fields from the table: \"delegator_distinct_pool\" */\n delegator_distinct_pool_aggregate: Delegator_Distinct_Pool_Aggregate;\n /** fetch data from the table: \"events\" */\n events: Array<Events>;\n /** fetch data from the table: \"events\" using primary key columns */\n events_by_pk?: Maybe<Events>;\n /** An array relationship */\n fungible_asset_activities: Array<Fungible_Asset_Activities>;\n /** fetch data from the table: \"fungible_asset_activities\" using primary key columns */\n fungible_asset_activities_by_pk?: Maybe<Fungible_Asset_Activities>;\n /** fetch data from the table: \"fungible_asset_metadata\" */\n fungible_asset_metadata: Array<Fungible_Asset_Metadata>;\n /** fetch data from the table: \"fungible_asset_metadata\" using primary key columns */\n fungible_asset_metadata_by_pk?: Maybe<Fungible_Asset_Metadata>;\n /** fetch data from the table: \"indexer_status\" */\n indexer_status: Array<Indexer_Status>;\n /** fetch data from the table: \"indexer_status\" using primary key columns */\n indexer_status_by_pk?: Maybe<Indexer_Status>;\n /** fetch data from the table: \"ledger_infos\" */\n ledger_infos: Array<Ledger_Infos>;\n /** fetch data from the table: \"ledger_infos\" using primary key columns */\n ledger_infos_by_pk?: Maybe<Ledger_Infos>;\n /** fetch data from the table: \"move_resources\" */\n move_resources: Array<Move_Resources>;\n /** fetch aggregated fields from the table: \"move_resources\" */\n move_resources_aggregate: Move_Resources_Aggregate;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_auctions\" */\n nft_marketplace_v2_current_nft_marketplace_auctions: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_auctions\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_auctions_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" */\n nft_marketplace_v2_current_nft_marketplace_collection_offers: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_collection_offers_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_listings\" */\n nft_marketplace_v2_current_nft_marketplace_listings: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_listings\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_listings_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_token_offers\" */\n nft_marketplace_v2_current_nft_marketplace_token_offers: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_token_offers\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_token_offers_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.nft_marketplace_activities\" */\n nft_marketplace_v2_nft_marketplace_activities: Array<Nft_Marketplace_V2_Nft_Marketplace_Activities>;\n /** fetch data from the table: \"nft_marketplace_v2.nft_marketplace_activities\" using primary key columns */\n nft_marketplace_v2_nft_marketplace_activities_by_pk?: Maybe<Nft_Marketplace_V2_Nft_Marketplace_Activities>;\n /** fetch data from the table: \"nft_metadata_crawler.parsed_asset_uris\" */\n nft_metadata_crawler_parsed_asset_uris: Array<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n /** fetch data from the table: \"nft_metadata_crawler.parsed_asset_uris\" using primary key columns */\n nft_metadata_crawler_parsed_asset_uris_by_pk?: Maybe<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n /** fetch data from the table: \"num_active_delegator_per_pool\" */\n num_active_delegator_per_pool: Array<Num_Active_Delegator_Per_Pool>;\n /** fetch data from the table: \"processor_status\" */\n processor_status: Array<Processor_Status>;\n /** fetch data from the table: \"processor_status\" using primary key columns */\n processor_status_by_pk?: Maybe<Processor_Status>;\n /** fetch data from the table: \"proposal_votes\" */\n proposal_votes: Array<Proposal_Votes>;\n /** fetch aggregated fields from the table: \"proposal_votes\" */\n proposal_votes_aggregate: Proposal_Votes_Aggregate;\n /** fetch data from the table: \"proposal_votes\" using primary key columns */\n proposal_votes_by_pk?: Maybe<Proposal_Votes>;\n /** fetch data from the table: \"table_items\" */\n table_items: Array<Table_Items>;\n /** fetch data from the table: \"table_items\" using primary key columns */\n table_items_by_pk?: Maybe<Table_Items>;\n /** fetch data from the table: \"table_metadatas\" */\n table_metadatas: Array<Table_Metadatas>;\n /** fetch data from the table: \"table_metadatas\" using primary key columns */\n table_metadatas_by_pk?: Maybe<Table_Metadatas>;\n /** An array relationship */\n token_activities: Array<Token_Activities>;\n /** An aggregate relationship */\n token_activities_aggregate: Token_Activities_Aggregate;\n /** fetch data from the table: \"token_activities\" using primary key columns */\n token_activities_by_pk?: Maybe<Token_Activities>;\n /** An array relationship */\n token_activities_v2: Array<Token_Activities_V2>;\n /** An aggregate relationship */\n token_activities_v2_aggregate: Token_Activities_V2_Aggregate;\n /** fetch data from the table: \"token_activities_v2\" using primary key columns */\n token_activities_v2_by_pk?: Maybe<Token_Activities_V2>;\n /** fetch data from the table: \"token_datas\" */\n token_datas: Array<Token_Datas>;\n /** fetch data from the table: \"token_datas\" using primary key columns */\n token_datas_by_pk?: Maybe<Token_Datas>;\n /** fetch data from the table: \"token_ownerships\" */\n token_ownerships: Array<Token_Ownerships>;\n /** fetch data from the table: \"token_ownerships\" using primary key columns */\n token_ownerships_by_pk?: Maybe<Token_Ownerships>;\n /** fetch data from the table: \"tokens\" */\n tokens: Array<Tokens>;\n /** fetch data from the table: \"tokens\" using primary key columns */\n tokens_by_pk?: Maybe<Tokens>;\n /** fetch data from the table: \"user_transactions\" */\n user_transactions: Array<User_Transactions>;\n /** fetch data from the table: \"user_transactions\" using primary key columns */\n user_transactions_by_pk?: Maybe<User_Transactions>;\n};\n\n\nexport type Query_RootAccount_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<Account_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Account_Transactions_Order_By>>;\n where?: InputMaybe<Account_Transactions_Bool_Exp>;\n};\n\n\nexport type Query_RootAccount_Transactions_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Account_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Account_Transactions_Order_By>>;\n where?: InputMaybe<Account_Transactions_Bool_Exp>;\n};\n\n\nexport type Query_RootAccount_Transactions_By_PkArgs = {\n account_address: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootAddress_Events_SummaryArgs = {\n distinct_on?: InputMaybe<Array<Address_Events_Summary_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Events_Summary_Order_By>>;\n where?: InputMaybe<Address_Events_Summary_Bool_Exp>;\n};\n\n\nexport type Query_RootAddress_Version_From_EventsArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Events_Order_By>>;\n where?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n};\n\n\nexport type Query_RootAddress_Version_From_Events_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Events_Order_By>>;\n where?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n};\n\n\nexport type Query_RootAddress_Version_From_Move_ResourcesArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Move_Resources_Order_By>>;\n where?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n};\n\n\nexport type Query_RootAddress_Version_From_Move_Resources_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Move_Resources_Order_By>>;\n where?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n};\n\n\nexport type Query_RootBlock_Metadata_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<Block_Metadata_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Block_Metadata_Transactions_Order_By>>;\n where?: InputMaybe<Block_Metadata_Transactions_Bool_Exp>;\n};\n\n\nexport type Query_RootBlock_Metadata_Transactions_By_PkArgs = {\n version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootCoin_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootCoin_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootCoin_Activities_By_PkArgs = {\n event_account_address: Scalars['String']['input'];\n event_creation_number: Scalars['bigint']['input'];\n event_sequence_number: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootCoin_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Balances_Order_By>>;\n where?: InputMaybe<Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCoin_Balances_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n owner_address: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootCoin_InfosArgs = {\n distinct_on?: InputMaybe<Array<Coin_Infos_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Infos_Order_By>>;\n where?: InputMaybe<Coin_Infos_Bool_Exp>;\n};\n\n\nexport type Query_RootCoin_Infos_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCoin_SupplyArgs = {\n distinct_on?: InputMaybe<Array<Coin_Supply_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Supply_Order_By>>;\n where?: InputMaybe<Coin_Supply_Bool_Exp>;\n};\n\n\nexport type Query_RootCoin_Supply_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootCollection_DatasArgs = {\n distinct_on?: InputMaybe<Array<Collection_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Collection_Datas_Order_By>>;\n where?: InputMaybe<Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Query_RootCollection_Datas_By_PkArgs = {\n collection_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootCurrent_Ans_LookupArgs = {\n distinct_on?: InputMaybe<Array<Current_Ans_Lookup_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Ans_Lookup_Order_By>>;\n where?: InputMaybe<Current_Ans_Lookup_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Ans_Lookup_By_PkArgs = {\n domain: Scalars['String']['input'];\n subdomain: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Ans_Lookup_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Ans_Lookup_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Ans_Lookup_V2_Order_By>>;\n where?: InputMaybe<Current_Ans_Lookup_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Ans_Lookup_V2_By_PkArgs = {\n domain: Scalars['String']['input'];\n subdomain: Scalars['String']['input'];\n token_standard: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Aptos_NamesArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Aptos_Names_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Coin_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Coin_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Coin_Balances_Order_By>>;\n where?: InputMaybe<Current_Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Coin_Balances_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n owner_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Collection_DatasArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Datas_Order_By>>;\n where?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Collection_Datas_By_PkArgs = {\n collection_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Collection_Ownership_V2_ViewArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Order_By>>;\n where?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Collection_Ownership_V2_View_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Order_By>>;\n where?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Collections_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Collections_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collections_V2_Order_By>>;\n where?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Collections_V2_By_PkArgs = {\n collection_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Delegated_Staking_Pool_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Order_By>>;\n where?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Delegated_Staking_Pool_Balances_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Delegated_VoterArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegated_Voter_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegated_Voter_Order_By>>;\n where?: InputMaybe<Current_Delegated_Voter_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Delegated_Voter_By_PkArgs = {\n delegation_pool_address: Scalars['String']['input'];\n delegator_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Delegator_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegator_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegator_Balances_Order_By>>;\n where?: InputMaybe<Current_Delegator_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Delegator_Balances_By_PkArgs = {\n delegator_address: Scalars['String']['input'];\n pool_address: Scalars['String']['input'];\n pool_type: Scalars['String']['input'];\n table_handle: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Fungible_Asset_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Fungible_Asset_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Fungible_Asset_Balances_Order_By>>;\n where?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Fungible_Asset_Balances_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Fungible_Asset_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Fungible_Asset_Balances_Order_By>>;\n where?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Fungible_Asset_Balances_By_PkArgs = {\n storage_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_ObjectsArgs = {\n distinct_on?: InputMaybe<Array<Current_Objects_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Objects_Order_By>>;\n where?: InputMaybe<Current_Objects_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Objects_By_PkArgs = {\n object_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Staking_Pool_VoterArgs = {\n distinct_on?: InputMaybe<Array<Current_Staking_Pool_Voter_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Staking_Pool_Voter_Order_By>>;\n where?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Staking_Pool_Voter_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Table_ItemsArgs = {\n distinct_on?: InputMaybe<Array<Current_Table_Items_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Table_Items_Order_By>>;\n where?: InputMaybe<Current_Table_Items_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Table_Items_By_PkArgs = {\n key_hash: Scalars['String']['input'];\n table_handle: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Token_DatasArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Datas_Order_By>>;\n where?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Datas_By_PkArgs = {\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Token_Datas_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Token_Datas_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Datas_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Datas_V2_By_PkArgs = {\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Token_OwnershipsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Ownerships_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Ownerships_By_PkArgs = {\n owner_address: Scalars['String']['input'];\n property_version: Scalars['numeric']['input'];\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Token_Ownerships_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Ownerships_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Ownerships_V2_By_PkArgs = {\n owner_address: Scalars['String']['input'];\n property_version_v1: Scalars['numeric']['input'];\n storage_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootCurrent_Token_Pending_ClaimsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Pending_Claims_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Pending_Claims_Order_By>>;\n where?: InputMaybe<Current_Token_Pending_Claims_Bool_Exp>;\n};\n\n\nexport type Query_RootCurrent_Token_Pending_Claims_By_PkArgs = {\n from_address: Scalars['String']['input'];\n property_version: Scalars['numeric']['input'];\n to_address: Scalars['String']['input'];\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Query_RootDelegated_Staking_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Activities_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootDelegated_Staking_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootDelegated_Staking_PoolsArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Pools_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Pools_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Pools_Bool_Exp>;\n};\n\n\nexport type Query_RootDelegated_Staking_Pools_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootDelegator_Distinct_PoolArgs = {\n distinct_on?: InputMaybe<Array<Delegator_Distinct_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegator_Distinct_Pool_Order_By>>;\n where?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n};\n\n\nexport type Query_RootDelegator_Distinct_Pool_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Delegator_Distinct_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegator_Distinct_Pool_Order_By>>;\n where?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n};\n\n\nexport type Query_RootEventsArgs = {\n distinct_on?: InputMaybe<Array<Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Events_Order_By>>;\n where?: InputMaybe<Events_Bool_Exp>;\n};\n\n\nexport type Query_RootEvents_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootFungible_Asset_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Fungible_Asset_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Fungible_Asset_Activities_Order_By>>;\n where?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootFungible_Asset_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootFungible_Asset_MetadataArgs = {\n distinct_on?: InputMaybe<Array<Fungible_Asset_Metadata_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Fungible_Asset_Metadata_Order_By>>;\n where?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n};\n\n\nexport type Query_RootFungible_Asset_Metadata_By_PkArgs = {\n asset_type: Scalars['String']['input'];\n};\n\n\nexport type Query_RootIndexer_StatusArgs = {\n distinct_on?: InputMaybe<Array<Indexer_Status_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Indexer_Status_Order_By>>;\n where?: InputMaybe<Indexer_Status_Bool_Exp>;\n};\n\n\nexport type Query_RootIndexer_Status_By_PkArgs = {\n db: Scalars['String']['input'];\n};\n\n\nexport type Query_RootLedger_InfosArgs = {\n distinct_on?: InputMaybe<Array<Ledger_Infos_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Ledger_Infos_Order_By>>;\n where?: InputMaybe<Ledger_Infos_Bool_Exp>;\n};\n\n\nexport type Query_RootLedger_Infos_By_PkArgs = {\n chain_id: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootMove_ResourcesArgs = {\n distinct_on?: InputMaybe<Array<Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Move_Resources_Order_By>>;\n where?: InputMaybe<Move_Resources_Bool_Exp>;\n};\n\n\nexport type Query_RootMove_Resources_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Move_Resources_Order_By>>;\n where?: InputMaybe<Move_Resources_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_AuctionsArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Auctions_By_PkArgs = {\n listing_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Collection_OffersArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_By_PkArgs = {\n collection_id: Scalars['String']['input'];\n collection_offer_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_ListingsArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Listings_By_PkArgs = {\n listing_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Token_OffersArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_By_PkArgs = {\n offer_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Nft_Marketplace_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Marketplace_V2_Nft_Marketplace_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootNft_Metadata_Crawler_Parsed_Asset_UrisArgs = {\n distinct_on?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Order_By>>;\n where?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n};\n\n\nexport type Query_RootNft_Metadata_Crawler_Parsed_Asset_Uris_By_PkArgs = {\n asset_uri: Scalars['String']['input'];\n};\n\n\nexport type Query_RootNum_Active_Delegator_Per_PoolArgs = {\n distinct_on?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Order_By>>;\n where?: InputMaybe<Num_Active_Delegator_Per_Pool_Bool_Exp>;\n};\n\n\nexport type Query_RootProcessor_StatusArgs = {\n distinct_on?: InputMaybe<Array<Processor_Status_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Processor_Status_Order_By>>;\n where?: InputMaybe<Processor_Status_Bool_Exp>;\n};\n\n\nexport type Query_RootProcessor_Status_By_PkArgs = {\n processor: Scalars['String']['input'];\n};\n\n\nexport type Query_RootProposal_VotesArgs = {\n distinct_on?: InputMaybe<Array<Proposal_Votes_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Proposal_Votes_Order_By>>;\n where?: InputMaybe<Proposal_Votes_Bool_Exp>;\n};\n\n\nexport type Query_RootProposal_Votes_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Proposal_Votes_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Proposal_Votes_Order_By>>;\n where?: InputMaybe<Proposal_Votes_Bool_Exp>;\n};\n\n\nexport type Query_RootProposal_Votes_By_PkArgs = {\n proposal_id: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n voter_address: Scalars['String']['input'];\n};\n\n\nexport type Query_RootTable_ItemsArgs = {\n distinct_on?: InputMaybe<Array<Table_Items_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Table_Items_Order_By>>;\n where?: InputMaybe<Table_Items_Bool_Exp>;\n};\n\n\nexport type Query_RootTable_Items_By_PkArgs = {\n transaction_version: Scalars['bigint']['input'];\n write_set_change_index: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootTable_MetadatasArgs = {\n distinct_on?: InputMaybe<Array<Table_Metadatas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Table_Metadatas_Order_By>>;\n where?: InputMaybe<Table_Metadatas_Bool_Exp>;\n};\n\n\nexport type Query_RootTable_Metadatas_By_PkArgs = {\n handle: Scalars['String']['input'];\n};\n\n\nexport type Query_RootToken_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Activities_By_PkArgs = {\n event_account_address: Scalars['String']['input'];\n event_creation_number: Scalars['bigint']['input'];\n event_sequence_number: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootToken_Activities_V2Args = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Activities_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Activities_V2_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootToken_DatasArgs = {\n distinct_on?: InputMaybe<Array<Token_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Datas_Order_By>>;\n where?: InputMaybe<Token_Datas_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Datas_By_PkArgs = {\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootToken_OwnershipsArgs = {\n distinct_on?: InputMaybe<Array<Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Ownerships_Order_By>>;\n where?: InputMaybe<Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Query_RootToken_Ownerships_By_PkArgs = {\n property_version: Scalars['numeric']['input'];\n table_handle: Scalars['String']['input'];\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootTokensArgs = {\n distinct_on?: InputMaybe<Array<Tokens_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Tokens_Order_By>>;\n where?: InputMaybe<Tokens_Bool_Exp>;\n};\n\n\nexport type Query_RootTokens_By_PkArgs = {\n property_version: Scalars['numeric']['input'];\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Query_RootUser_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<User_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<User_Transactions_Order_By>>;\n where?: InputMaybe<User_Transactions_Bool_Exp>;\n};\n\n\nexport type Query_RootUser_Transactions_By_PkArgs = {\n version: Scalars['bigint']['input'];\n};\n\nexport type Subscription_Root = {\n __typename?: 'subscription_root';\n /** fetch data from the table: \"account_transactions\" */\n account_transactions: Array<Account_Transactions>;\n /** fetch aggregated fields from the table: \"account_transactions\" */\n account_transactions_aggregate: Account_Transactions_Aggregate;\n /** fetch data from the table: \"account_transactions\" using primary key columns */\n account_transactions_by_pk?: Maybe<Account_Transactions>;\n /** fetch data from the table in a streaming manner : \"account_transactions\" */\n account_transactions_stream: Array<Account_Transactions>;\n /** fetch data from the table: \"address_events_summary\" */\n address_events_summary: Array<Address_Events_Summary>;\n /** fetch data from the table in a streaming manner : \"address_events_summary\" */\n address_events_summary_stream: Array<Address_Events_Summary>;\n /** fetch data from the table: \"address_version_from_events\" */\n address_version_from_events: Array<Address_Version_From_Events>;\n /** fetch aggregated fields from the table: \"address_version_from_events\" */\n address_version_from_events_aggregate: Address_Version_From_Events_Aggregate;\n /** fetch data from the table in a streaming manner : \"address_version_from_events\" */\n address_version_from_events_stream: Array<Address_Version_From_Events>;\n /** fetch data from the table: \"address_version_from_move_resources\" */\n address_version_from_move_resources: Array<Address_Version_From_Move_Resources>;\n /** fetch aggregated fields from the table: \"address_version_from_move_resources\" */\n address_version_from_move_resources_aggregate: Address_Version_From_Move_Resources_Aggregate;\n /** fetch data from the table in a streaming manner : \"address_version_from_move_resources\" */\n address_version_from_move_resources_stream: Array<Address_Version_From_Move_Resources>;\n /** fetch data from the table: \"block_metadata_transactions\" */\n block_metadata_transactions: Array<Block_Metadata_Transactions>;\n /** fetch data from the table: \"block_metadata_transactions\" using primary key columns */\n block_metadata_transactions_by_pk?: Maybe<Block_Metadata_Transactions>;\n /** fetch data from the table in a streaming manner : \"block_metadata_transactions\" */\n block_metadata_transactions_stream: Array<Block_Metadata_Transactions>;\n /** An array relationship */\n coin_activities: Array<Coin_Activities>;\n /** An aggregate relationship */\n coin_activities_aggregate: Coin_Activities_Aggregate;\n /** fetch data from the table: \"coin_activities\" using primary key columns */\n coin_activities_by_pk?: Maybe<Coin_Activities>;\n /** fetch data from the table in a streaming manner : \"coin_activities\" */\n coin_activities_stream: Array<Coin_Activities>;\n /** fetch data from the table: \"coin_balances\" */\n coin_balances: Array<Coin_Balances>;\n /** fetch data from the table: \"coin_balances\" using primary key columns */\n coin_balances_by_pk?: Maybe<Coin_Balances>;\n /** fetch data from the table in a streaming manner : \"coin_balances\" */\n coin_balances_stream: Array<Coin_Balances>;\n /** fetch data from the table: \"coin_infos\" */\n coin_infos: Array<Coin_Infos>;\n /** fetch data from the table: \"coin_infos\" using primary key columns */\n coin_infos_by_pk?: Maybe<Coin_Infos>;\n /** fetch data from the table in a streaming manner : \"coin_infos\" */\n coin_infos_stream: Array<Coin_Infos>;\n /** fetch data from the table: \"coin_supply\" */\n coin_supply: Array<Coin_Supply>;\n /** fetch data from the table: \"coin_supply\" using primary key columns */\n coin_supply_by_pk?: Maybe<Coin_Supply>;\n /** fetch data from the table in a streaming manner : \"coin_supply\" */\n coin_supply_stream: Array<Coin_Supply>;\n /** fetch data from the table: \"collection_datas\" */\n collection_datas: Array<Collection_Datas>;\n /** fetch data from the table: \"collection_datas\" using primary key columns */\n collection_datas_by_pk?: Maybe<Collection_Datas>;\n /** fetch data from the table in a streaming manner : \"collection_datas\" */\n collection_datas_stream: Array<Collection_Datas>;\n /** fetch data from the table: \"current_ans_lookup\" */\n current_ans_lookup: Array<Current_Ans_Lookup>;\n /** fetch data from the table: \"current_ans_lookup\" using primary key columns */\n current_ans_lookup_by_pk?: Maybe<Current_Ans_Lookup>;\n /** fetch data from the table in a streaming manner : \"current_ans_lookup\" */\n current_ans_lookup_stream: Array<Current_Ans_Lookup>;\n /** fetch data from the table: \"current_ans_lookup_v2\" */\n current_ans_lookup_v2: Array<Current_Ans_Lookup_V2>;\n /** fetch data from the table: \"current_ans_lookup_v2\" using primary key columns */\n current_ans_lookup_v2_by_pk?: Maybe<Current_Ans_Lookup_V2>;\n /** fetch data from the table in a streaming manner : \"current_ans_lookup_v2\" */\n current_ans_lookup_v2_stream: Array<Current_Ans_Lookup_V2>;\n /** fetch data from the table: \"current_aptos_names\" */\n current_aptos_names: Array<Current_Aptos_Names>;\n /** fetch aggregated fields from the table: \"current_aptos_names\" */\n current_aptos_names_aggregate: Current_Aptos_Names_Aggregate;\n /** fetch data from the table in a streaming manner : \"current_aptos_names\" */\n current_aptos_names_stream: Array<Current_Aptos_Names>;\n /** fetch data from the table: \"current_coin_balances\" */\n current_coin_balances: Array<Current_Coin_Balances>;\n /** fetch data from the table: \"current_coin_balances\" using primary key columns */\n current_coin_balances_by_pk?: Maybe<Current_Coin_Balances>;\n /** fetch data from the table in a streaming manner : \"current_coin_balances\" */\n current_coin_balances_stream: Array<Current_Coin_Balances>;\n /** fetch data from the table: \"current_collection_datas\" */\n current_collection_datas: Array<Current_Collection_Datas>;\n /** fetch data from the table: \"current_collection_datas\" using primary key columns */\n current_collection_datas_by_pk?: Maybe<Current_Collection_Datas>;\n /** fetch data from the table in a streaming manner : \"current_collection_datas\" */\n current_collection_datas_stream: Array<Current_Collection_Datas>;\n /** fetch data from the table: \"current_collection_ownership_v2_view\" */\n current_collection_ownership_v2_view: Array<Current_Collection_Ownership_V2_View>;\n /** fetch aggregated fields from the table: \"current_collection_ownership_v2_view\" */\n current_collection_ownership_v2_view_aggregate: Current_Collection_Ownership_V2_View_Aggregate;\n /** fetch data from the table in a streaming manner : \"current_collection_ownership_v2_view\" */\n current_collection_ownership_v2_view_stream: Array<Current_Collection_Ownership_V2_View>;\n /** fetch data from the table: \"current_collections_v2\" */\n current_collections_v2: Array<Current_Collections_V2>;\n /** fetch data from the table: \"current_collections_v2\" using primary key columns */\n current_collections_v2_by_pk?: Maybe<Current_Collections_V2>;\n /** fetch data from the table in a streaming manner : \"current_collections_v2\" */\n current_collections_v2_stream: Array<Current_Collections_V2>;\n /** fetch data from the table: \"current_delegated_staking_pool_balances\" */\n current_delegated_staking_pool_balances: Array<Current_Delegated_Staking_Pool_Balances>;\n /** fetch data from the table: \"current_delegated_staking_pool_balances\" using primary key columns */\n current_delegated_staking_pool_balances_by_pk?: Maybe<Current_Delegated_Staking_Pool_Balances>;\n /** fetch data from the table in a streaming manner : \"current_delegated_staking_pool_balances\" */\n current_delegated_staking_pool_balances_stream: Array<Current_Delegated_Staking_Pool_Balances>;\n /** fetch data from the table: \"current_delegated_voter\" */\n current_delegated_voter: Array<Current_Delegated_Voter>;\n /** fetch data from the table: \"current_delegated_voter\" using primary key columns */\n current_delegated_voter_by_pk?: Maybe<Current_Delegated_Voter>;\n /** fetch data from the table in a streaming manner : \"current_delegated_voter\" */\n current_delegated_voter_stream: Array<Current_Delegated_Voter>;\n /** fetch data from the table: \"current_delegator_balances\" */\n current_delegator_balances: Array<Current_Delegator_Balances>;\n /** fetch data from the table: \"current_delegator_balances\" using primary key columns */\n current_delegator_balances_by_pk?: Maybe<Current_Delegator_Balances>;\n /** fetch data from the table in a streaming manner : \"current_delegator_balances\" */\n current_delegator_balances_stream: Array<Current_Delegator_Balances>;\n /** fetch data from the table: \"current_fungible_asset_balances\" */\n current_fungible_asset_balances: Array<Current_Fungible_Asset_Balances>;\n /** fetch aggregated fields from the table: \"current_fungible_asset_balances\" */\n current_fungible_asset_balances_aggregate: Current_Fungible_Asset_Balances_Aggregate;\n /** fetch data from the table: \"current_fungible_asset_balances\" using primary key columns */\n current_fungible_asset_balances_by_pk?: Maybe<Current_Fungible_Asset_Balances>;\n /** fetch data from the table in a streaming manner : \"current_fungible_asset_balances\" */\n current_fungible_asset_balances_stream: Array<Current_Fungible_Asset_Balances>;\n /** fetch data from the table: \"current_objects\" */\n current_objects: Array<Current_Objects>;\n /** fetch data from the table: \"current_objects\" using primary key columns */\n current_objects_by_pk?: Maybe<Current_Objects>;\n /** fetch data from the table in a streaming manner : \"current_objects\" */\n current_objects_stream: Array<Current_Objects>;\n /** fetch data from the table: \"current_staking_pool_voter\" */\n current_staking_pool_voter: Array<Current_Staking_Pool_Voter>;\n /** fetch data from the table: \"current_staking_pool_voter\" using primary key columns */\n current_staking_pool_voter_by_pk?: Maybe<Current_Staking_Pool_Voter>;\n /** fetch data from the table in a streaming manner : \"current_staking_pool_voter\" */\n current_staking_pool_voter_stream: Array<Current_Staking_Pool_Voter>;\n /** fetch data from the table: \"current_table_items\" */\n current_table_items: Array<Current_Table_Items>;\n /** fetch data from the table: \"current_table_items\" using primary key columns */\n current_table_items_by_pk?: Maybe<Current_Table_Items>;\n /** fetch data from the table in a streaming manner : \"current_table_items\" */\n current_table_items_stream: Array<Current_Table_Items>;\n /** fetch data from the table: \"current_token_datas\" */\n current_token_datas: Array<Current_Token_Datas>;\n /** fetch data from the table: \"current_token_datas\" using primary key columns */\n current_token_datas_by_pk?: Maybe<Current_Token_Datas>;\n /** fetch data from the table in a streaming manner : \"current_token_datas\" */\n current_token_datas_stream: Array<Current_Token_Datas>;\n /** fetch data from the table: \"current_token_datas_v2\" */\n current_token_datas_v2: Array<Current_Token_Datas_V2>;\n /** fetch data from the table: \"current_token_datas_v2\" using primary key columns */\n current_token_datas_v2_by_pk?: Maybe<Current_Token_Datas_V2>;\n /** fetch data from the table in a streaming manner : \"current_token_datas_v2\" */\n current_token_datas_v2_stream: Array<Current_Token_Datas_V2>;\n /** fetch data from the table: \"current_token_ownerships\" */\n current_token_ownerships: Array<Current_Token_Ownerships>;\n /** fetch aggregated fields from the table: \"current_token_ownerships\" */\n current_token_ownerships_aggregate: Current_Token_Ownerships_Aggregate;\n /** fetch data from the table: \"current_token_ownerships\" using primary key columns */\n current_token_ownerships_by_pk?: Maybe<Current_Token_Ownerships>;\n /** fetch data from the table in a streaming manner : \"current_token_ownerships\" */\n current_token_ownerships_stream: Array<Current_Token_Ownerships>;\n /** fetch data from the table: \"current_token_ownerships_v2\" */\n current_token_ownerships_v2: Array<Current_Token_Ownerships_V2>;\n /** fetch aggregated fields from the table: \"current_token_ownerships_v2\" */\n current_token_ownerships_v2_aggregate: Current_Token_Ownerships_V2_Aggregate;\n /** fetch data from the table: \"current_token_ownerships_v2\" using primary key columns */\n current_token_ownerships_v2_by_pk?: Maybe<Current_Token_Ownerships_V2>;\n /** fetch data from the table in a streaming manner : \"current_token_ownerships_v2\" */\n current_token_ownerships_v2_stream: Array<Current_Token_Ownerships_V2>;\n /** fetch data from the table: \"current_token_pending_claims\" */\n current_token_pending_claims: Array<Current_Token_Pending_Claims>;\n /** fetch data from the table: \"current_token_pending_claims\" using primary key columns */\n current_token_pending_claims_by_pk?: Maybe<Current_Token_Pending_Claims>;\n /** fetch data from the table in a streaming manner : \"current_token_pending_claims\" */\n current_token_pending_claims_stream: Array<Current_Token_Pending_Claims>;\n /** An array relationship */\n delegated_staking_activities: Array<Delegated_Staking_Activities>;\n /** fetch data from the table: \"delegated_staking_activities\" using primary key columns */\n delegated_staking_activities_by_pk?: Maybe<Delegated_Staking_Activities>;\n /** fetch data from the table in a streaming manner : \"delegated_staking_activities\" */\n delegated_staking_activities_stream: Array<Delegated_Staking_Activities>;\n /** fetch data from the table: \"delegated_staking_pools\" */\n delegated_staking_pools: Array<Delegated_Staking_Pools>;\n /** fetch data from the table: \"delegated_staking_pools\" using primary key columns */\n delegated_staking_pools_by_pk?: Maybe<Delegated_Staking_Pools>;\n /** fetch data from the table in a streaming manner : \"delegated_staking_pools\" */\n delegated_staking_pools_stream: Array<Delegated_Staking_Pools>;\n /** fetch data from the table: \"delegator_distinct_pool\" */\n delegator_distinct_pool: Array<Delegator_Distinct_Pool>;\n /** fetch aggregated fields from the table: \"delegator_distinct_pool\" */\n delegator_distinct_pool_aggregate: Delegator_Distinct_Pool_Aggregate;\n /** fetch data from the table in a streaming manner : \"delegator_distinct_pool\" */\n delegator_distinct_pool_stream: Array<Delegator_Distinct_Pool>;\n /** fetch data from the table: \"events\" */\n events: Array<Events>;\n /** fetch data from the table: \"events\" using primary key columns */\n events_by_pk?: Maybe<Events>;\n /** fetch data from the table in a streaming manner : \"events\" */\n events_stream: Array<Events>;\n /** An array relationship */\n fungible_asset_activities: Array<Fungible_Asset_Activities>;\n /** fetch data from the table: \"fungible_asset_activities\" using primary key columns */\n fungible_asset_activities_by_pk?: Maybe<Fungible_Asset_Activities>;\n /** fetch data from the table in a streaming manner : \"fungible_asset_activities\" */\n fungible_asset_activities_stream: Array<Fungible_Asset_Activities>;\n /** fetch data from the table: \"fungible_asset_metadata\" */\n fungible_asset_metadata: Array<Fungible_Asset_Metadata>;\n /** fetch data from the table: \"fungible_asset_metadata\" using primary key columns */\n fungible_asset_metadata_by_pk?: Maybe<Fungible_Asset_Metadata>;\n /** fetch data from the table in a streaming manner : \"fungible_asset_metadata\" */\n fungible_asset_metadata_stream: Array<Fungible_Asset_Metadata>;\n /** fetch data from the table: \"indexer_status\" */\n indexer_status: Array<Indexer_Status>;\n /** fetch data from the table: \"indexer_status\" using primary key columns */\n indexer_status_by_pk?: Maybe<Indexer_Status>;\n /** fetch data from the table in a streaming manner : \"indexer_status\" */\n indexer_status_stream: Array<Indexer_Status>;\n /** fetch data from the table: \"ledger_infos\" */\n ledger_infos: Array<Ledger_Infos>;\n /** fetch data from the table: \"ledger_infos\" using primary key columns */\n ledger_infos_by_pk?: Maybe<Ledger_Infos>;\n /** fetch data from the table in a streaming manner : \"ledger_infos\" */\n ledger_infos_stream: Array<Ledger_Infos>;\n /** fetch data from the table: \"move_resources\" */\n move_resources: Array<Move_Resources>;\n /** fetch aggregated fields from the table: \"move_resources\" */\n move_resources_aggregate: Move_Resources_Aggregate;\n /** fetch data from the table in a streaming manner : \"move_resources\" */\n move_resources_stream: Array<Move_Resources>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_auctions\" */\n nft_marketplace_v2_current_nft_marketplace_auctions: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_auctions\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_auctions_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions>;\n /** fetch data from the table in a streaming manner : \"nft_marketplace_v2.current_nft_marketplace_auctions\" */\n nft_marketplace_v2_current_nft_marketplace_auctions_stream: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" */\n nft_marketplace_v2_current_nft_marketplace_collection_offers: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_collection_offers_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers>;\n /** fetch data from the table in a streaming manner : \"nft_marketplace_v2.current_nft_marketplace_collection_offers\" */\n nft_marketplace_v2_current_nft_marketplace_collection_offers_stream: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_listings\" */\n nft_marketplace_v2_current_nft_marketplace_listings: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_listings\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_listings_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings>;\n /** fetch data from the table in a streaming manner : \"nft_marketplace_v2.current_nft_marketplace_listings\" */\n nft_marketplace_v2_current_nft_marketplace_listings_stream: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_token_offers\" */\n nft_marketplace_v2_current_nft_marketplace_token_offers: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.current_nft_marketplace_token_offers\" using primary key columns */\n nft_marketplace_v2_current_nft_marketplace_token_offers_by_pk?: Maybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers>;\n /** fetch data from the table in a streaming manner : \"nft_marketplace_v2.current_nft_marketplace_token_offers\" */\n nft_marketplace_v2_current_nft_marketplace_token_offers_stream: Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers>;\n /** fetch data from the table: \"nft_marketplace_v2.nft_marketplace_activities\" */\n nft_marketplace_v2_nft_marketplace_activities: Array<Nft_Marketplace_V2_Nft_Marketplace_Activities>;\n /** fetch data from the table: \"nft_marketplace_v2.nft_marketplace_activities\" using primary key columns */\n nft_marketplace_v2_nft_marketplace_activities_by_pk?: Maybe<Nft_Marketplace_V2_Nft_Marketplace_Activities>;\n /** fetch data from the table in a streaming manner : \"nft_marketplace_v2.nft_marketplace_activities\" */\n nft_marketplace_v2_nft_marketplace_activities_stream: Array<Nft_Marketplace_V2_Nft_Marketplace_Activities>;\n /** fetch data from the table: \"nft_metadata_crawler.parsed_asset_uris\" */\n nft_metadata_crawler_parsed_asset_uris: Array<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n /** fetch data from the table: \"nft_metadata_crawler.parsed_asset_uris\" using primary key columns */\n nft_metadata_crawler_parsed_asset_uris_by_pk?: Maybe<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n /** fetch data from the table in a streaming manner : \"nft_metadata_crawler.parsed_asset_uris\" */\n nft_metadata_crawler_parsed_asset_uris_stream: Array<Nft_Metadata_Crawler_Parsed_Asset_Uris>;\n /** fetch data from the table: \"num_active_delegator_per_pool\" */\n num_active_delegator_per_pool: Array<Num_Active_Delegator_Per_Pool>;\n /** fetch data from the table in a streaming manner : \"num_active_delegator_per_pool\" */\n num_active_delegator_per_pool_stream: Array<Num_Active_Delegator_Per_Pool>;\n /** fetch data from the table: \"processor_status\" */\n processor_status: Array<Processor_Status>;\n /** fetch data from the table: \"processor_status\" using primary key columns */\n processor_status_by_pk?: Maybe<Processor_Status>;\n /** fetch data from the table in a streaming manner : \"processor_status\" */\n processor_status_stream: Array<Processor_Status>;\n /** fetch data from the table: \"proposal_votes\" */\n proposal_votes: Array<Proposal_Votes>;\n /** fetch aggregated fields from the table: \"proposal_votes\" */\n proposal_votes_aggregate: Proposal_Votes_Aggregate;\n /** fetch data from the table: \"proposal_votes\" using primary key columns */\n proposal_votes_by_pk?: Maybe<Proposal_Votes>;\n /** fetch data from the table in a streaming manner : \"proposal_votes\" */\n proposal_votes_stream: Array<Proposal_Votes>;\n /** fetch data from the table: \"table_items\" */\n table_items: Array<Table_Items>;\n /** fetch data from the table: \"table_items\" using primary key columns */\n table_items_by_pk?: Maybe<Table_Items>;\n /** fetch data from the table in a streaming manner : \"table_items\" */\n table_items_stream: Array<Table_Items>;\n /** fetch data from the table: \"table_metadatas\" */\n table_metadatas: Array<Table_Metadatas>;\n /** fetch data from the table: \"table_metadatas\" using primary key columns */\n table_metadatas_by_pk?: Maybe<Table_Metadatas>;\n /** fetch data from the table in a streaming manner : \"table_metadatas\" */\n table_metadatas_stream: Array<Table_Metadatas>;\n /** An array relationship */\n token_activities: Array<Token_Activities>;\n /** An aggregate relationship */\n token_activities_aggregate: Token_Activities_Aggregate;\n /** fetch data from the table: \"token_activities\" using primary key columns */\n token_activities_by_pk?: Maybe<Token_Activities>;\n /** fetch data from the table in a streaming manner : \"token_activities\" */\n token_activities_stream: Array<Token_Activities>;\n /** An array relationship */\n token_activities_v2: Array<Token_Activities_V2>;\n /** An aggregate relationship */\n token_activities_v2_aggregate: Token_Activities_V2_Aggregate;\n /** fetch data from the table: \"token_activities_v2\" using primary key columns */\n token_activities_v2_by_pk?: Maybe<Token_Activities_V2>;\n /** fetch data from the table in a streaming manner : \"token_activities_v2\" */\n token_activities_v2_stream: Array<Token_Activities_V2>;\n /** fetch data from the table: \"token_datas\" */\n token_datas: Array<Token_Datas>;\n /** fetch data from the table: \"token_datas\" using primary key columns */\n token_datas_by_pk?: Maybe<Token_Datas>;\n /** fetch data from the table in a streaming manner : \"token_datas\" */\n token_datas_stream: Array<Token_Datas>;\n /** fetch data from the table: \"token_ownerships\" */\n token_ownerships: Array<Token_Ownerships>;\n /** fetch data from the table: \"token_ownerships\" using primary key columns */\n token_ownerships_by_pk?: Maybe<Token_Ownerships>;\n /** fetch data from the table in a streaming manner : \"token_ownerships\" */\n token_ownerships_stream: Array<Token_Ownerships>;\n /** fetch data from the table: \"tokens\" */\n tokens: Array<Tokens>;\n /** fetch data from the table: \"tokens\" using primary key columns */\n tokens_by_pk?: Maybe<Tokens>;\n /** fetch data from the table in a streaming manner : \"tokens\" */\n tokens_stream: Array<Tokens>;\n /** fetch data from the table: \"user_transactions\" */\n user_transactions: Array<User_Transactions>;\n /** fetch data from the table: \"user_transactions\" using primary key columns */\n user_transactions_by_pk?: Maybe<User_Transactions>;\n /** fetch data from the table in a streaming manner : \"user_transactions\" */\n user_transactions_stream: Array<User_Transactions>;\n};\n\n\nexport type Subscription_RootAccount_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<Account_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Account_Transactions_Order_By>>;\n where?: InputMaybe<Account_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAccount_Transactions_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Account_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Account_Transactions_Order_By>>;\n where?: InputMaybe<Account_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAccount_Transactions_By_PkArgs = {\n account_address: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootAccount_Transactions_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Account_Transactions_Stream_Cursor_Input>>;\n where?: InputMaybe<Account_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Events_SummaryArgs = {\n distinct_on?: InputMaybe<Array<Address_Events_Summary_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Events_Summary_Order_By>>;\n where?: InputMaybe<Address_Events_Summary_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Events_Summary_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Address_Events_Summary_Stream_Cursor_Input>>;\n where?: InputMaybe<Address_Events_Summary_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_EventsArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Events_Order_By>>;\n where?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_Events_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Events_Order_By>>;\n where?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_Events_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Address_Version_From_Events_Stream_Cursor_Input>>;\n where?: InputMaybe<Address_Version_From_Events_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_Move_ResourcesArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Move_Resources_Order_By>>;\n where?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_Move_Resources_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Address_Version_From_Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Address_Version_From_Move_Resources_Order_By>>;\n where?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootAddress_Version_From_Move_Resources_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Address_Version_From_Move_Resources_Stream_Cursor_Input>>;\n where?: InputMaybe<Address_Version_From_Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootBlock_Metadata_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<Block_Metadata_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Block_Metadata_Transactions_Order_By>>;\n where?: InputMaybe<Block_Metadata_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootBlock_Metadata_Transactions_By_PkArgs = {\n version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootBlock_Metadata_Transactions_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Block_Metadata_Transactions_Stream_Cursor_Input>>;\n where?: InputMaybe<Block_Metadata_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Coin_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Activities_Order_By>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_Activities_By_PkArgs = {\n event_account_address: Scalars['String']['input'];\n event_creation_number: Scalars['bigint']['input'];\n event_sequence_number: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootCoin_Activities_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Coin_Activities_Stream_Cursor_Input>>;\n where?: InputMaybe<Coin_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Coin_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Balances_Order_By>>;\n where?: InputMaybe<Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_Balances_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n owner_address: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootCoin_Balances_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Coin_Balances_Stream_Cursor_Input>>;\n where?: InputMaybe<Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_InfosArgs = {\n distinct_on?: InputMaybe<Array<Coin_Infos_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Infos_Order_By>>;\n where?: InputMaybe<Coin_Infos_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_Infos_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCoin_Infos_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Coin_Infos_Stream_Cursor_Input>>;\n where?: InputMaybe<Coin_Infos_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_SupplyArgs = {\n distinct_on?: InputMaybe<Array<Coin_Supply_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Coin_Supply_Order_By>>;\n where?: InputMaybe<Coin_Supply_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCoin_Supply_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootCoin_Supply_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Coin_Supply_Stream_Cursor_Input>>;\n where?: InputMaybe<Coin_Supply_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCollection_DatasArgs = {\n distinct_on?: InputMaybe<Array<Collection_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Collection_Datas_Order_By>>;\n where?: InputMaybe<Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCollection_Datas_By_PkArgs = {\n collection_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootCollection_Datas_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Collection_Datas_Stream_Cursor_Input>>;\n where?: InputMaybe<Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Ans_LookupArgs = {\n distinct_on?: InputMaybe<Array<Current_Ans_Lookup_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Ans_Lookup_Order_By>>;\n where?: InputMaybe<Current_Ans_Lookup_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Ans_Lookup_By_PkArgs = {\n domain: Scalars['String']['input'];\n subdomain: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Ans_Lookup_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Ans_Lookup_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Ans_Lookup_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Ans_Lookup_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Ans_Lookup_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Ans_Lookup_V2_Order_By>>;\n where?: InputMaybe<Current_Ans_Lookup_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Ans_Lookup_V2_By_PkArgs = {\n domain: Scalars['String']['input'];\n subdomain: Scalars['String']['input'];\n token_standard: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Ans_Lookup_V2_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Ans_Lookup_V2_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Ans_Lookup_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Aptos_NamesArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Aptos_Names_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Aptos_Names_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Aptos_Names_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Coin_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Coin_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Coin_Balances_Order_By>>;\n where?: InputMaybe<Current_Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Coin_Balances_By_PkArgs = {\n coin_type_hash: Scalars['String']['input'];\n owner_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Coin_Balances_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Coin_Balances_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Coin_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collection_DatasArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Datas_Order_By>>;\n where?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collection_Datas_By_PkArgs = {\n collection_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Collection_Datas_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Collection_Datas_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Collection_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collection_Ownership_V2_ViewArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Order_By>>;\n where?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collection_Ownership_V2_View_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collection_Ownership_V2_View_Order_By>>;\n where?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collection_Ownership_V2_View_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Collection_Ownership_V2_View_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Collection_Ownership_V2_View_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collections_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Collections_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Collections_V2_Order_By>>;\n where?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Collections_V2_By_PkArgs = {\n collection_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Collections_V2_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Collections_V2_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Collections_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegated_Staking_Pool_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegated_Staking_Pool_Balances_Order_By>>;\n where?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegated_Staking_Pool_Balances_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Delegated_Staking_Pool_Balances_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Delegated_Staking_Pool_Balances_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Delegated_Staking_Pool_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegated_VoterArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegated_Voter_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegated_Voter_Order_By>>;\n where?: InputMaybe<Current_Delegated_Voter_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegated_Voter_By_PkArgs = {\n delegation_pool_address: Scalars['String']['input'];\n delegator_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Delegated_Voter_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Delegated_Voter_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Delegated_Voter_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegator_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Delegator_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Delegator_Balances_Order_By>>;\n where?: InputMaybe<Current_Delegator_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Delegator_Balances_By_PkArgs = {\n delegator_address: Scalars['String']['input'];\n pool_address: Scalars['String']['input'];\n pool_type: Scalars['String']['input'];\n table_handle: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Delegator_Balances_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Delegator_Balances_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Delegator_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Fungible_Asset_BalancesArgs = {\n distinct_on?: InputMaybe<Array<Current_Fungible_Asset_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Fungible_Asset_Balances_Order_By>>;\n where?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Fungible_Asset_Balances_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Fungible_Asset_Balances_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Fungible_Asset_Balances_Order_By>>;\n where?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Fungible_Asset_Balances_By_PkArgs = {\n storage_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Fungible_Asset_Balances_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Fungible_Asset_Balances_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Fungible_Asset_Balances_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_ObjectsArgs = {\n distinct_on?: InputMaybe<Array<Current_Objects_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Objects_Order_By>>;\n where?: InputMaybe<Current_Objects_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Objects_By_PkArgs = {\n object_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Objects_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Objects_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Objects_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Staking_Pool_VoterArgs = {\n distinct_on?: InputMaybe<Array<Current_Staking_Pool_Voter_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Staking_Pool_Voter_Order_By>>;\n where?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Staking_Pool_Voter_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Staking_Pool_Voter_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Staking_Pool_Voter_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Staking_Pool_Voter_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Table_ItemsArgs = {\n distinct_on?: InputMaybe<Array<Current_Table_Items_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Table_Items_Order_By>>;\n where?: InputMaybe<Current_Table_Items_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Table_Items_By_PkArgs = {\n key_hash: Scalars['String']['input'];\n table_handle: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Table_Items_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Table_Items_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Table_Items_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_DatasArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Datas_Order_By>>;\n where?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Datas_By_PkArgs = {\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Token_Datas_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Token_Datas_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Datas_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Token_Datas_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Datas_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Datas_V2_By_PkArgs = {\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Token_Datas_V2_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Token_Datas_V2_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_OwnershipsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_By_PkArgs = {\n owner_address: Scalars['String']['input'];\n property_version: Scalars['numeric']['input'];\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Token_Ownerships_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_V2Args = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Ownerships_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Ownerships_V2_Order_By>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_V2_By_PkArgs = {\n owner_address: Scalars['String']['input'];\n property_version_v1: Scalars['numeric']['input'];\n storage_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Token_Ownerships_V2_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Token_Ownerships_V2_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Token_Ownerships_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Pending_ClaimsArgs = {\n distinct_on?: InputMaybe<Array<Current_Token_Pending_Claims_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Token_Pending_Claims_Order_By>>;\n where?: InputMaybe<Current_Token_Pending_Claims_Bool_Exp>;\n};\n\n\nexport type Subscription_RootCurrent_Token_Pending_Claims_By_PkArgs = {\n from_address: Scalars['String']['input'];\n property_version: Scalars['numeric']['input'];\n to_address: Scalars['String']['input'];\n token_data_id_hash: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootCurrent_Token_Pending_Claims_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Current_Token_Pending_Claims_Stream_Cursor_Input>>;\n where?: InputMaybe<Current_Token_Pending_Claims_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegated_Staking_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Activities_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegated_Staking_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootDelegated_Staking_Activities_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Delegated_Staking_Activities_Stream_Cursor_Input>>;\n where?: InputMaybe<Delegated_Staking_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegated_Staking_PoolsArgs = {\n distinct_on?: InputMaybe<Array<Delegated_Staking_Pools_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegated_Staking_Pools_Order_By>>;\n where?: InputMaybe<Delegated_Staking_Pools_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegated_Staking_Pools_By_PkArgs = {\n staking_pool_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootDelegated_Staking_Pools_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Delegated_Staking_Pools_Stream_Cursor_Input>>;\n where?: InputMaybe<Delegated_Staking_Pools_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegator_Distinct_PoolArgs = {\n distinct_on?: InputMaybe<Array<Delegator_Distinct_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegator_Distinct_Pool_Order_By>>;\n where?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegator_Distinct_Pool_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Delegator_Distinct_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Delegator_Distinct_Pool_Order_By>>;\n where?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n};\n\n\nexport type Subscription_RootDelegator_Distinct_Pool_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Delegator_Distinct_Pool_Stream_Cursor_Input>>;\n where?: InputMaybe<Delegator_Distinct_Pool_Bool_Exp>;\n};\n\n\nexport type Subscription_RootEventsArgs = {\n distinct_on?: InputMaybe<Array<Events_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Events_Order_By>>;\n where?: InputMaybe<Events_Bool_Exp>;\n};\n\n\nexport type Subscription_RootEvents_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootEvents_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Events_Stream_Cursor_Input>>;\n where?: InputMaybe<Events_Bool_Exp>;\n};\n\n\nexport type Subscription_RootFungible_Asset_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Fungible_Asset_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Fungible_Asset_Activities_Order_By>>;\n where?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootFungible_Asset_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootFungible_Asset_Activities_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Fungible_Asset_Activities_Stream_Cursor_Input>>;\n where?: InputMaybe<Fungible_Asset_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootFungible_Asset_MetadataArgs = {\n distinct_on?: InputMaybe<Array<Fungible_Asset_Metadata_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Fungible_Asset_Metadata_Order_By>>;\n where?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n};\n\n\nexport type Subscription_RootFungible_Asset_Metadata_By_PkArgs = {\n asset_type: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootFungible_Asset_Metadata_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Fungible_Asset_Metadata_Stream_Cursor_Input>>;\n where?: InputMaybe<Fungible_Asset_Metadata_Bool_Exp>;\n};\n\n\nexport type Subscription_RootIndexer_StatusArgs = {\n distinct_on?: InputMaybe<Array<Indexer_Status_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Indexer_Status_Order_By>>;\n where?: InputMaybe<Indexer_Status_Bool_Exp>;\n};\n\n\nexport type Subscription_RootIndexer_Status_By_PkArgs = {\n db: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootIndexer_Status_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Indexer_Status_Stream_Cursor_Input>>;\n where?: InputMaybe<Indexer_Status_Bool_Exp>;\n};\n\n\nexport type Subscription_RootLedger_InfosArgs = {\n distinct_on?: InputMaybe<Array<Ledger_Infos_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Ledger_Infos_Order_By>>;\n where?: InputMaybe<Ledger_Infos_Bool_Exp>;\n};\n\n\nexport type Subscription_RootLedger_Infos_By_PkArgs = {\n chain_id: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootLedger_Infos_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Ledger_Infos_Stream_Cursor_Input>>;\n where?: InputMaybe<Ledger_Infos_Bool_Exp>;\n};\n\n\nexport type Subscription_RootMove_ResourcesArgs = {\n distinct_on?: InputMaybe<Array<Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Move_Resources_Order_By>>;\n where?: InputMaybe<Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootMove_Resources_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Move_Resources_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Move_Resources_Order_By>>;\n where?: InputMaybe<Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootMove_Resources_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Move_Resources_Stream_Cursor_Input>>;\n where?: InputMaybe<Move_Resources_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_AuctionsArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Auctions_By_PkArgs = {\n listing_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Auctions_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Collection_OffersArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_By_PkArgs = {\n collection_id: Scalars['String']['input'];\n collection_offer_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_ListingsArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Listings_By_PkArgs = {\n listing_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Listings_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Token_OffersArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_By_PkArgs = {\n offer_id: Scalars['String']['input'];\n token_data_id: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Nft_Marketplace_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Marketplace_V2_Nft_Marketplace_Activities_Order_By>>;\n where?: InputMaybe<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Nft_Marketplace_Activities_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootNft_Marketplace_V2_Nft_Marketplace_Activities_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Marketplace_V2_Nft_Marketplace_Activities_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Marketplace_V2_Nft_Marketplace_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Metadata_Crawler_Parsed_Asset_UrisArgs = {\n distinct_on?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Nft_Metadata_Crawler_Parsed_Asset_Uris_Order_By>>;\n where?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNft_Metadata_Crawler_Parsed_Asset_Uris_By_PkArgs = {\n asset_uri: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootNft_Metadata_Crawler_Parsed_Asset_Uris_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Stream_Cursor_Input>>;\n where?: InputMaybe<Nft_Metadata_Crawler_Parsed_Asset_Uris_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNum_Active_Delegator_Per_PoolArgs = {\n distinct_on?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Num_Active_Delegator_Per_Pool_Order_By>>;\n where?: InputMaybe<Num_Active_Delegator_Per_Pool_Bool_Exp>;\n};\n\n\nexport type Subscription_RootNum_Active_Delegator_Per_Pool_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Num_Active_Delegator_Per_Pool_Stream_Cursor_Input>>;\n where?: InputMaybe<Num_Active_Delegator_Per_Pool_Bool_Exp>;\n};\n\n\nexport type Subscription_RootProcessor_StatusArgs = {\n distinct_on?: InputMaybe<Array<Processor_Status_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Processor_Status_Order_By>>;\n where?: InputMaybe<Processor_Status_Bool_Exp>;\n};\n\n\nexport type Subscription_RootProcessor_Status_By_PkArgs = {\n processor: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootProcessor_Status_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Processor_Status_Stream_Cursor_Input>>;\n where?: InputMaybe<Processor_Status_Bool_Exp>;\n};\n\n\nexport type Subscription_RootProposal_VotesArgs = {\n distinct_on?: InputMaybe<Array<Proposal_Votes_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Proposal_Votes_Order_By>>;\n where?: InputMaybe<Proposal_Votes_Bool_Exp>;\n};\n\n\nexport type Subscription_RootProposal_Votes_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Proposal_Votes_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Proposal_Votes_Order_By>>;\n where?: InputMaybe<Proposal_Votes_Bool_Exp>;\n};\n\n\nexport type Subscription_RootProposal_Votes_By_PkArgs = {\n proposal_id: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n voter_address: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootProposal_Votes_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Proposal_Votes_Stream_Cursor_Input>>;\n where?: InputMaybe<Proposal_Votes_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTable_ItemsArgs = {\n distinct_on?: InputMaybe<Array<Table_Items_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Table_Items_Order_By>>;\n where?: InputMaybe<Table_Items_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTable_Items_By_PkArgs = {\n transaction_version: Scalars['bigint']['input'];\n write_set_change_index: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootTable_Items_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Table_Items_Stream_Cursor_Input>>;\n where?: InputMaybe<Table_Items_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTable_MetadatasArgs = {\n distinct_on?: InputMaybe<Array<Table_Metadatas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Table_Metadatas_Order_By>>;\n where?: InputMaybe<Table_Metadatas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTable_Metadatas_By_PkArgs = {\n handle: Scalars['String']['input'];\n};\n\n\nexport type Subscription_RootTable_Metadatas_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Table_Metadatas_Stream_Cursor_Input>>;\n where?: InputMaybe<Table_Metadatas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_ActivitiesArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Activities_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_Order_By>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Activities_By_PkArgs = {\n event_account_address: Scalars['String']['input'];\n event_creation_number: Scalars['bigint']['input'];\n event_sequence_number: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootToken_Activities_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Token_Activities_Stream_Cursor_Input>>;\n where?: InputMaybe<Token_Activities_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Activities_V2Args = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Activities_V2_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Activities_V2_Order_By>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Activities_V2_By_PkArgs = {\n event_index: Scalars['bigint']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootToken_Activities_V2_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Token_Activities_V2_Stream_Cursor_Input>>;\n where?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_DatasArgs = {\n distinct_on?: InputMaybe<Array<Token_Datas_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Datas_Order_By>>;\n where?: InputMaybe<Token_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Datas_By_PkArgs = {\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootToken_Datas_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Token_Datas_Stream_Cursor_Input>>;\n where?: InputMaybe<Token_Datas_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_OwnershipsArgs = {\n distinct_on?: InputMaybe<Array<Token_Ownerships_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Token_Ownerships_Order_By>>;\n where?: InputMaybe<Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Subscription_RootToken_Ownerships_By_PkArgs = {\n property_version: Scalars['numeric']['input'];\n table_handle: Scalars['String']['input'];\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootToken_Ownerships_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Token_Ownerships_Stream_Cursor_Input>>;\n where?: InputMaybe<Token_Ownerships_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTokensArgs = {\n distinct_on?: InputMaybe<Array<Tokens_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Tokens_Order_By>>;\n where?: InputMaybe<Tokens_Bool_Exp>;\n};\n\n\nexport type Subscription_RootTokens_By_PkArgs = {\n property_version: Scalars['numeric']['input'];\n token_data_id_hash: Scalars['String']['input'];\n transaction_version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootTokens_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<Tokens_Stream_Cursor_Input>>;\n where?: InputMaybe<Tokens_Bool_Exp>;\n};\n\n\nexport type Subscription_RootUser_TransactionsArgs = {\n distinct_on?: InputMaybe<Array<User_Transactions_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<User_Transactions_Order_By>>;\n where?: InputMaybe<User_Transactions_Bool_Exp>;\n};\n\n\nexport type Subscription_RootUser_Transactions_By_PkArgs = {\n version: Scalars['bigint']['input'];\n};\n\n\nexport type Subscription_RootUser_Transactions_StreamArgs = {\n batch_size: Scalars['Int']['input'];\n cursor: Array<InputMaybe<User_Transactions_Stream_Cursor_Input>>;\n where?: InputMaybe<User_Transactions_Bool_Exp>;\n};\n\n/** columns and relationships of \"table_items\" */\nexport type Table_Items = {\n __typename?: 'table_items';\n decoded_key: Scalars['jsonb']['output'];\n decoded_value?: Maybe<Scalars['jsonb']['output']>;\n key: Scalars['String']['output'];\n table_handle: Scalars['String']['output'];\n transaction_version: Scalars['bigint']['output'];\n write_set_change_index: Scalars['bigint']['output'];\n};\n\n\n/** columns and relationships of \"table_items\" */\nexport type Table_ItemsDecoded_KeyArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n\n/** columns and relationships of \"table_items\" */\nexport type Table_ItemsDecoded_ValueArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"table_items\". All fields are combined with a logical 'AND'. */\nexport type Table_Items_Bool_Exp = {\n _and?: InputMaybe<Array<Table_Items_Bool_Exp>>;\n _not?: InputMaybe<Table_Items_Bool_Exp>;\n _or?: InputMaybe<Array<Table_Items_Bool_Exp>>;\n decoded_key?: InputMaybe<Jsonb_Comparison_Exp>;\n decoded_value?: InputMaybe<Jsonb_Comparison_Exp>;\n key?: InputMaybe<String_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n write_set_change_index?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"table_items\". */\nexport type Table_Items_Order_By = {\n decoded_key?: InputMaybe<Order_By>;\n decoded_value?: InputMaybe<Order_By>;\n key?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n write_set_change_index?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"table_items\" */\nexport enum Table_Items_Select_Column {\n /** column name */\n DecodedKey = 'decoded_key',\n /** column name */\n DecodedValue = 'decoded_value',\n /** column name */\n Key = 'key',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n WriteSetChangeIndex = 'write_set_change_index'\n}\n\n/** Streaming cursor of the table \"table_items\" */\nexport type Table_Items_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Table_Items_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Table_Items_Stream_Cursor_Value_Input = {\n decoded_key?: InputMaybe<Scalars['jsonb']['input']>;\n decoded_value?: InputMaybe<Scalars['jsonb']['input']>;\n key?: InputMaybe<Scalars['String']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n write_set_change_index?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"table_metadatas\" */\nexport type Table_Metadatas = {\n __typename?: 'table_metadatas';\n handle: Scalars['String']['output'];\n key_type: Scalars['String']['output'];\n value_type: Scalars['String']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"table_metadatas\". All fields are combined with a logical 'AND'. */\nexport type Table_Metadatas_Bool_Exp = {\n _and?: InputMaybe<Array<Table_Metadatas_Bool_Exp>>;\n _not?: InputMaybe<Table_Metadatas_Bool_Exp>;\n _or?: InputMaybe<Array<Table_Metadatas_Bool_Exp>>;\n handle?: InputMaybe<String_Comparison_Exp>;\n key_type?: InputMaybe<String_Comparison_Exp>;\n value_type?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"table_metadatas\". */\nexport type Table_Metadatas_Order_By = {\n handle?: InputMaybe<Order_By>;\n key_type?: InputMaybe<Order_By>;\n value_type?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"table_metadatas\" */\nexport enum Table_Metadatas_Select_Column {\n /** column name */\n Handle = 'handle',\n /** column name */\n KeyType = 'key_type',\n /** column name */\n ValueType = 'value_type'\n}\n\n/** Streaming cursor of the table \"table_metadatas\" */\nexport type Table_Metadatas_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Table_Metadatas_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Table_Metadatas_Stream_Cursor_Value_Input = {\n handle?: InputMaybe<Scalars['String']['input']>;\n key_type?: InputMaybe<Scalars['String']['input']>;\n value_type?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to compare columns of type \"timestamp\". All fields are combined with logical 'AND'. */\nexport type Timestamp_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['timestamp']['input']>;\n _gt?: InputMaybe<Scalars['timestamp']['input']>;\n _gte?: InputMaybe<Scalars['timestamp']['input']>;\n _in?: InputMaybe<Array<Scalars['timestamp']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['timestamp']['input']>;\n _lte?: InputMaybe<Scalars['timestamp']['input']>;\n _neq?: InputMaybe<Scalars['timestamp']['input']>;\n _nin?: InputMaybe<Array<Scalars['timestamp']['input']>>;\n};\n\n/** Boolean expression to compare columns of type \"timestamptz\". All fields are combined with logical 'AND'. */\nexport type Timestamptz_Comparison_Exp = {\n _eq?: InputMaybe<Scalars['timestamptz']['input']>;\n _gt?: InputMaybe<Scalars['timestamptz']['input']>;\n _gte?: InputMaybe<Scalars['timestamptz']['input']>;\n _in?: InputMaybe<Array<Scalars['timestamptz']['input']>>;\n _is_null?: InputMaybe<Scalars['Boolean']['input']>;\n _lt?: InputMaybe<Scalars['timestamptz']['input']>;\n _lte?: InputMaybe<Scalars['timestamptz']['input']>;\n _neq?: InputMaybe<Scalars['timestamptz']['input']>;\n _nin?: InputMaybe<Array<Scalars['timestamptz']['input']>>;\n};\n\n/** columns and relationships of \"token_activities\" */\nexport type Token_Activities = {\n __typename?: 'token_activities';\n /** An array relationship */\n aptos_names_owner: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n aptos_names_owner_aggregate: Current_Aptos_Names_Aggregate;\n /** An array relationship */\n aptos_names_to: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n aptos_names_to_aggregate: Current_Aptos_Names_Aggregate;\n coin_amount?: Maybe<Scalars['numeric']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas>;\n event_account_address: Scalars['String']['output'];\n event_creation_number: Scalars['bigint']['output'];\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number: Scalars['bigint']['output'];\n from_address?: Maybe<Scalars['String']['output']>;\n name: Scalars['String']['output'];\n property_version: Scalars['numeric']['output'];\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount: Scalars['numeric']['output'];\n token_data_id_hash: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n transfer_type: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"token_activities\" */\nexport type Token_ActivitiesAptos_Names_OwnerArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities\" */\nexport type Token_ActivitiesAptos_Names_Owner_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities\" */\nexport type Token_ActivitiesAptos_Names_ToArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities\" */\nexport type Token_ActivitiesAptos_Names_To_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n/** aggregated selection of \"token_activities\" */\nexport type Token_Activities_Aggregate = {\n __typename?: 'token_activities_aggregate';\n aggregate?: Maybe<Token_Activities_Aggregate_Fields>;\n nodes: Array<Token_Activities>;\n};\n\n/** aggregate fields of \"token_activities\" */\nexport type Token_Activities_Aggregate_Fields = {\n __typename?: 'token_activities_aggregate_fields';\n avg?: Maybe<Token_Activities_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Token_Activities_Max_Fields>;\n min?: Maybe<Token_Activities_Min_Fields>;\n stddev?: Maybe<Token_Activities_Stddev_Fields>;\n stddev_pop?: Maybe<Token_Activities_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Token_Activities_Stddev_Samp_Fields>;\n sum?: Maybe<Token_Activities_Sum_Fields>;\n var_pop?: Maybe<Token_Activities_Var_Pop_Fields>;\n var_samp?: Maybe<Token_Activities_Var_Samp_Fields>;\n variance?: Maybe<Token_Activities_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"token_activities\" */\nexport type Token_Activities_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Token_Activities_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"token_activities\" */\nexport type Token_Activities_Aggregate_Order_By = {\n avg?: InputMaybe<Token_Activities_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Token_Activities_Max_Order_By>;\n min?: InputMaybe<Token_Activities_Min_Order_By>;\n stddev?: InputMaybe<Token_Activities_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Token_Activities_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Token_Activities_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Token_Activities_Sum_Order_By>;\n var_pop?: InputMaybe<Token_Activities_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Token_Activities_Var_Samp_Order_By>;\n variance?: InputMaybe<Token_Activities_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Token_Activities_Avg_Fields = {\n __typename?: 'token_activities_avg_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"token_activities\" */\nexport type Token_Activities_Avg_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"token_activities\". All fields are combined with a logical 'AND'. */\nexport type Token_Activities_Bool_Exp = {\n _and?: InputMaybe<Array<Token_Activities_Bool_Exp>>;\n _not?: InputMaybe<Token_Activities_Bool_Exp>;\n _or?: InputMaybe<Array<Token_Activities_Bool_Exp>>;\n aptos_names_owner?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n aptos_names_to?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n coin_amount?: InputMaybe<Numeric_Comparison_Exp>;\n coin_type?: InputMaybe<String_Comparison_Exp>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_Bool_Exp>;\n event_account_address?: InputMaybe<String_Comparison_Exp>;\n event_creation_number?: InputMaybe<Bigint_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n event_sequence_number?: InputMaybe<Bigint_Comparison_Exp>;\n from_address?: InputMaybe<String_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n property_version?: InputMaybe<Numeric_Comparison_Exp>;\n to_address?: InputMaybe<String_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n transfer_type?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Token_Activities_Max_Fields = {\n __typename?: 'token_activities_max_fields';\n coin_amount?: Maybe<Scalars['numeric']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_data_id_hash?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n from_address?: Maybe<Scalars['String']['output']>;\n name?: Maybe<Scalars['String']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n token_data_id_hash?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n transfer_type?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by max() on columns of table \"token_activities\" */\nexport type Token_Activities_Max_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n transfer_type?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Token_Activities_Min_Fields = {\n __typename?: 'token_activities_min_fields';\n coin_amount?: Maybe<Scalars['numeric']['output']>;\n coin_type?: Maybe<Scalars['String']['output']>;\n collection_data_id_hash?: Maybe<Scalars['String']['output']>;\n collection_name?: Maybe<Scalars['String']['output']>;\n creator_address?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n from_address?: Maybe<Scalars['String']['output']>;\n name?: Maybe<Scalars['String']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n token_data_id_hash?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n transfer_type?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by min() on columns of table \"token_activities\" */\nexport type Token_Activities_Min_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n transfer_type?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"token_activities\". */\nexport type Token_Activities_Order_By = {\n aptos_names_owner_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n aptos_names_to_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n coin_amount?: InputMaybe<Order_By>;\n coin_type?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n transfer_type?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"token_activities\" */\nexport enum Token_Activities_Select_Column {\n /** column name */\n CoinAmount = 'coin_amount',\n /** column name */\n CoinType = 'coin_type',\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n EventAccountAddress = 'event_account_address',\n /** column name */\n EventCreationNumber = 'event_creation_number',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n EventSequenceNumber = 'event_sequence_number',\n /** column name */\n FromAddress = 'from_address',\n /** column name */\n Name = 'name',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n ToAddress = 'to_address',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n TransferType = 'transfer_type'\n}\n\n/** aggregate stddev on columns */\nexport type Token_Activities_Stddev_Fields = {\n __typename?: 'token_activities_stddev_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"token_activities\" */\nexport type Token_Activities_Stddev_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Token_Activities_Stddev_Pop_Fields = {\n __typename?: 'token_activities_stddev_pop_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"token_activities\" */\nexport type Token_Activities_Stddev_Pop_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Token_Activities_Stddev_Samp_Fields = {\n __typename?: 'token_activities_stddev_samp_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"token_activities\" */\nexport type Token_Activities_Stddev_Samp_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"token_activities\" */\nexport type Token_Activities_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Token_Activities_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Token_Activities_Stream_Cursor_Value_Input = {\n coin_amount?: InputMaybe<Scalars['numeric']['input']>;\n coin_type?: InputMaybe<Scalars['String']['input']>;\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n event_account_address?: InputMaybe<Scalars['String']['input']>;\n event_creation_number?: InputMaybe<Scalars['bigint']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n event_sequence_number?: InputMaybe<Scalars['bigint']['input']>;\n from_address?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n property_version?: InputMaybe<Scalars['numeric']['input']>;\n to_address?: InputMaybe<Scalars['String']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n transfer_type?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Token_Activities_Sum_Fields = {\n __typename?: 'token_activities_sum_fields';\n coin_amount?: Maybe<Scalars['numeric']['output']>;\n event_creation_number?: Maybe<Scalars['bigint']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n event_sequence_number?: Maybe<Scalars['bigint']['output']>;\n property_version?: Maybe<Scalars['numeric']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by sum() on columns of table \"token_activities\" */\nexport type Token_Activities_Sum_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"token_activities_v2\" */\nexport type Token_Activities_V2 = {\n __typename?: 'token_activities_v2';\n after_value?: Maybe<Scalars['String']['output']>;\n /** An array relationship */\n aptos_names_from: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n aptos_names_from_aggregate: Current_Aptos_Names_Aggregate;\n /** An array relationship */\n aptos_names_to: Array<Current_Aptos_Names>;\n /** An aggregate relationship */\n aptos_names_to_aggregate: Current_Aptos_Names_Aggregate;\n before_value?: Maybe<Scalars['String']['output']>;\n /** An object relationship */\n current_token_data?: Maybe<Current_Token_Datas_V2>;\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address: Scalars['String']['output'];\n event_index: Scalars['bigint']['output'];\n from_address?: Maybe<Scalars['String']['output']>;\n is_fungible_v2?: Maybe<Scalars['Boolean']['output']>;\n property_version_v1: Scalars['numeric']['output'];\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount: Scalars['numeric']['output'];\n token_data_id: Scalars['String']['output'];\n token_standard: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n type: Scalars['String']['output'];\n};\n\n\n/** columns and relationships of \"token_activities_v2\" */\nexport type Token_Activities_V2Aptos_Names_FromArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities_v2\" */\nexport type Token_Activities_V2Aptos_Names_From_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities_v2\" */\nexport type Token_Activities_V2Aptos_Names_ToArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n\n/** columns and relationships of \"token_activities_v2\" */\nexport type Token_Activities_V2Aptos_Names_To_AggregateArgs = {\n distinct_on?: InputMaybe<Array<Current_Aptos_Names_Select_Column>>;\n limit?: InputMaybe<Scalars['Int']['input']>;\n offset?: InputMaybe<Scalars['Int']['input']>;\n order_by?: InputMaybe<Array<Current_Aptos_Names_Order_By>>;\n where?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n};\n\n/** aggregated selection of \"token_activities_v2\" */\nexport type Token_Activities_V2_Aggregate = {\n __typename?: 'token_activities_v2_aggregate';\n aggregate?: Maybe<Token_Activities_V2_Aggregate_Fields>;\n nodes: Array<Token_Activities_V2>;\n};\n\n/** aggregate fields of \"token_activities_v2\" */\nexport type Token_Activities_V2_Aggregate_Fields = {\n __typename?: 'token_activities_v2_aggregate_fields';\n avg?: Maybe<Token_Activities_V2_Avg_Fields>;\n count: Scalars['Int']['output'];\n max?: Maybe<Token_Activities_V2_Max_Fields>;\n min?: Maybe<Token_Activities_V2_Min_Fields>;\n stddev?: Maybe<Token_Activities_V2_Stddev_Fields>;\n stddev_pop?: Maybe<Token_Activities_V2_Stddev_Pop_Fields>;\n stddev_samp?: Maybe<Token_Activities_V2_Stddev_Samp_Fields>;\n sum?: Maybe<Token_Activities_V2_Sum_Fields>;\n var_pop?: Maybe<Token_Activities_V2_Var_Pop_Fields>;\n var_samp?: Maybe<Token_Activities_V2_Var_Samp_Fields>;\n variance?: Maybe<Token_Activities_V2_Variance_Fields>;\n};\n\n\n/** aggregate fields of \"token_activities_v2\" */\nexport type Token_Activities_V2_Aggregate_FieldsCountArgs = {\n columns?: InputMaybe<Array<Token_Activities_V2_Select_Column>>;\n distinct?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** order by aggregate values of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Aggregate_Order_By = {\n avg?: InputMaybe<Token_Activities_V2_Avg_Order_By>;\n count?: InputMaybe<Order_By>;\n max?: InputMaybe<Token_Activities_V2_Max_Order_By>;\n min?: InputMaybe<Token_Activities_V2_Min_Order_By>;\n stddev?: InputMaybe<Token_Activities_V2_Stddev_Order_By>;\n stddev_pop?: InputMaybe<Token_Activities_V2_Stddev_Pop_Order_By>;\n stddev_samp?: InputMaybe<Token_Activities_V2_Stddev_Samp_Order_By>;\n sum?: InputMaybe<Token_Activities_V2_Sum_Order_By>;\n var_pop?: InputMaybe<Token_Activities_V2_Var_Pop_Order_By>;\n var_samp?: InputMaybe<Token_Activities_V2_Var_Samp_Order_By>;\n variance?: InputMaybe<Token_Activities_V2_Variance_Order_By>;\n};\n\n/** aggregate avg on columns */\nexport type Token_Activities_V2_Avg_Fields = {\n __typename?: 'token_activities_v2_avg_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by avg() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Avg_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Boolean expression to filter rows from the table \"token_activities_v2\". All fields are combined with a logical 'AND'. */\nexport type Token_Activities_V2_Bool_Exp = {\n _and?: InputMaybe<Array<Token_Activities_V2_Bool_Exp>>;\n _not?: InputMaybe<Token_Activities_V2_Bool_Exp>;\n _or?: InputMaybe<Array<Token_Activities_V2_Bool_Exp>>;\n after_value?: InputMaybe<String_Comparison_Exp>;\n aptos_names_from?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n aptos_names_to?: InputMaybe<Current_Aptos_Names_Bool_Exp>;\n before_value?: InputMaybe<String_Comparison_Exp>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Bool_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n event_account_address?: InputMaybe<String_Comparison_Exp>;\n event_index?: InputMaybe<Bigint_Comparison_Exp>;\n from_address?: InputMaybe<String_Comparison_Exp>;\n is_fungible_v2?: InputMaybe<Boolean_Comparison_Exp>;\n property_version_v1?: InputMaybe<Numeric_Comparison_Exp>;\n to_address?: InputMaybe<String_Comparison_Exp>;\n token_amount?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id?: InputMaybe<String_Comparison_Exp>;\n token_standard?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n type?: InputMaybe<String_Comparison_Exp>;\n};\n\n/** aggregate max on columns */\nexport type Token_Activities_V2_Max_Fields = {\n __typename?: 'token_activities_v2_max_fields';\n after_value?: Maybe<Scalars['String']['output']>;\n before_value?: Maybe<Scalars['String']['output']>;\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n from_address?: Maybe<Scalars['String']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n token_data_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n type?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by max() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Max_Order_By = {\n after_value?: InputMaybe<Order_By>;\n before_value?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** aggregate min on columns */\nexport type Token_Activities_V2_Min_Fields = {\n __typename?: 'token_activities_v2_min_fields';\n after_value?: Maybe<Scalars['String']['output']>;\n before_value?: Maybe<Scalars['String']['output']>;\n entry_function_id_str?: Maybe<Scalars['String']['output']>;\n event_account_address?: Maybe<Scalars['String']['output']>;\n event_index?: Maybe<Scalars['bigint']['output']>;\n from_address?: Maybe<Scalars['String']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n to_address?: Maybe<Scalars['String']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n token_data_id?: Maybe<Scalars['String']['output']>;\n token_standard?: Maybe<Scalars['String']['output']>;\n transaction_timestamp?: Maybe<Scalars['timestamp']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n type?: Maybe<Scalars['String']['output']>;\n};\n\n/** order by min() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Min_Order_By = {\n after_value?: InputMaybe<Order_By>;\n before_value?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** Ordering options when selecting data from \"token_activities_v2\". */\nexport type Token_Activities_V2_Order_By = {\n after_value?: InputMaybe<Order_By>;\n aptos_names_from_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n aptos_names_to_aggregate?: InputMaybe<Current_Aptos_Names_Aggregate_Order_By>;\n before_value?: InputMaybe<Order_By>;\n current_token_data?: InputMaybe<Current_Token_Datas_V2_Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n event_account_address?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n from_address?: InputMaybe<Order_By>;\n is_fungible_v2?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n to_address?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n token_data_id?: InputMaybe<Order_By>;\n token_standard?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n type?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"token_activities_v2\" */\nexport enum Token_Activities_V2_Select_Column {\n /** column name */\n AfterValue = 'after_value',\n /** column name */\n BeforeValue = 'before_value',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n EventAccountAddress = 'event_account_address',\n /** column name */\n EventIndex = 'event_index',\n /** column name */\n FromAddress = 'from_address',\n /** column name */\n IsFungibleV2 = 'is_fungible_v2',\n /** column name */\n PropertyVersionV1 = 'property_version_v1',\n /** column name */\n ToAddress = 'to_address',\n /** column name */\n TokenAmount = 'token_amount',\n /** column name */\n TokenDataId = 'token_data_id',\n /** column name */\n TokenStandard = 'token_standard',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n Type = 'type'\n}\n\n/** aggregate stddev on columns */\nexport type Token_Activities_V2_Stddev_Fields = {\n __typename?: 'token_activities_v2_stddev_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Stddev_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_pop on columns */\nexport type Token_Activities_V2_Stddev_Pop_Fields = {\n __typename?: 'token_activities_v2_stddev_pop_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_pop() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Stddev_Pop_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate stddev_samp on columns */\nexport type Token_Activities_V2_Stddev_Samp_Fields = {\n __typename?: 'token_activities_v2_stddev_samp_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by stddev_samp() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Stddev_Samp_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** Streaming cursor of the table \"token_activities_v2\" */\nexport type Token_Activities_V2_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Token_Activities_V2_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Token_Activities_V2_Stream_Cursor_Value_Input = {\n after_value?: InputMaybe<Scalars['String']['input']>;\n before_value?: InputMaybe<Scalars['String']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n event_account_address?: InputMaybe<Scalars['String']['input']>;\n event_index?: InputMaybe<Scalars['bigint']['input']>;\n from_address?: InputMaybe<Scalars['String']['input']>;\n is_fungible_v2?: InputMaybe<Scalars['Boolean']['input']>;\n property_version_v1?: InputMaybe<Scalars['numeric']['input']>;\n to_address?: InputMaybe<Scalars['String']['input']>;\n token_amount?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id?: InputMaybe<Scalars['String']['input']>;\n token_standard?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n type?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** aggregate sum on columns */\nexport type Token_Activities_V2_Sum_Fields = {\n __typename?: 'token_activities_v2_sum_fields';\n event_index?: Maybe<Scalars['bigint']['output']>;\n property_version_v1?: Maybe<Scalars['numeric']['output']>;\n token_amount?: Maybe<Scalars['numeric']['output']>;\n transaction_version?: Maybe<Scalars['bigint']['output']>;\n};\n\n/** order by sum() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Sum_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Token_Activities_V2_Var_Pop_Fields = {\n __typename?: 'token_activities_v2_var_pop_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Var_Pop_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Token_Activities_V2_Var_Samp_Fields = {\n __typename?: 'token_activities_v2_var_samp_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Var_Samp_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Token_Activities_V2_Variance_Fields = {\n __typename?: 'token_activities_v2_variance_fields';\n event_index?: Maybe<Scalars['Float']['output']>;\n property_version_v1?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"token_activities_v2\" */\nexport type Token_Activities_V2_Variance_Order_By = {\n event_index?: InputMaybe<Order_By>;\n property_version_v1?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_pop on columns */\nexport type Token_Activities_Var_Pop_Fields = {\n __typename?: 'token_activities_var_pop_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_pop() on columns of table \"token_activities\" */\nexport type Token_Activities_Var_Pop_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate var_samp on columns */\nexport type Token_Activities_Var_Samp_Fields = {\n __typename?: 'token_activities_var_samp_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by var_samp() on columns of table \"token_activities\" */\nexport type Token_Activities_Var_Samp_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** aggregate variance on columns */\nexport type Token_Activities_Variance_Fields = {\n __typename?: 'token_activities_variance_fields';\n coin_amount?: Maybe<Scalars['Float']['output']>;\n event_creation_number?: Maybe<Scalars['Float']['output']>;\n event_index?: Maybe<Scalars['Float']['output']>;\n event_sequence_number?: Maybe<Scalars['Float']['output']>;\n property_version?: Maybe<Scalars['Float']['output']>;\n token_amount?: Maybe<Scalars['Float']['output']>;\n transaction_version?: Maybe<Scalars['Float']['output']>;\n};\n\n/** order by variance() on columns of table \"token_activities\" */\nexport type Token_Activities_Variance_Order_By = {\n coin_amount?: InputMaybe<Order_By>;\n event_creation_number?: InputMaybe<Order_By>;\n event_index?: InputMaybe<Order_By>;\n event_sequence_number?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_amount?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** columns and relationships of \"token_datas\" */\nexport type Token_Datas = {\n __typename?: 'token_datas';\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n default_properties: Scalars['jsonb']['output'];\n description: Scalars['String']['output'];\n description_mutable: Scalars['Boolean']['output'];\n largest_property_version: Scalars['numeric']['output'];\n maximum: Scalars['numeric']['output'];\n maximum_mutable: Scalars['Boolean']['output'];\n metadata_uri: Scalars['String']['output'];\n name: Scalars['String']['output'];\n payee_address: Scalars['String']['output'];\n properties_mutable: Scalars['Boolean']['output'];\n royalty_mutable: Scalars['Boolean']['output'];\n royalty_points_denominator: Scalars['numeric']['output'];\n royalty_points_numerator: Scalars['numeric']['output'];\n supply: Scalars['numeric']['output'];\n token_data_id_hash: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n uri_mutable: Scalars['Boolean']['output'];\n};\n\n\n/** columns and relationships of \"token_datas\" */\nexport type Token_DatasDefault_PropertiesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"token_datas\". All fields are combined with a logical 'AND'. */\nexport type Token_Datas_Bool_Exp = {\n _and?: InputMaybe<Array<Token_Datas_Bool_Exp>>;\n _not?: InputMaybe<Token_Datas_Bool_Exp>;\n _or?: InputMaybe<Array<Token_Datas_Bool_Exp>>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n default_properties?: InputMaybe<Jsonb_Comparison_Exp>;\n description?: InputMaybe<String_Comparison_Exp>;\n description_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n largest_property_version?: InputMaybe<Numeric_Comparison_Exp>;\n maximum?: InputMaybe<Numeric_Comparison_Exp>;\n maximum_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n metadata_uri?: InputMaybe<String_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n payee_address?: InputMaybe<String_Comparison_Exp>;\n properties_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n royalty_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n royalty_points_denominator?: InputMaybe<Numeric_Comparison_Exp>;\n royalty_points_numerator?: InputMaybe<Numeric_Comparison_Exp>;\n supply?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n uri_mutable?: InputMaybe<Boolean_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"token_datas\". */\nexport type Token_Datas_Order_By = {\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n default_properties?: InputMaybe<Order_By>;\n description?: InputMaybe<Order_By>;\n description_mutable?: InputMaybe<Order_By>;\n largest_property_version?: InputMaybe<Order_By>;\n maximum?: InputMaybe<Order_By>;\n maximum_mutable?: InputMaybe<Order_By>;\n metadata_uri?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n payee_address?: InputMaybe<Order_By>;\n properties_mutable?: InputMaybe<Order_By>;\n royalty_mutable?: InputMaybe<Order_By>;\n royalty_points_denominator?: InputMaybe<Order_By>;\n royalty_points_numerator?: InputMaybe<Order_By>;\n supply?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n uri_mutable?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"token_datas\" */\nexport enum Token_Datas_Select_Column {\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n DefaultProperties = 'default_properties',\n /** column name */\n Description = 'description',\n /** column name */\n DescriptionMutable = 'description_mutable',\n /** column name */\n LargestPropertyVersion = 'largest_property_version',\n /** column name */\n Maximum = 'maximum',\n /** column name */\n MaximumMutable = 'maximum_mutable',\n /** column name */\n MetadataUri = 'metadata_uri',\n /** column name */\n Name = 'name',\n /** column name */\n PayeeAddress = 'payee_address',\n /** column name */\n PropertiesMutable = 'properties_mutable',\n /** column name */\n RoyaltyMutable = 'royalty_mutable',\n /** column name */\n RoyaltyPointsDenominator = 'royalty_points_denominator',\n /** column name */\n RoyaltyPointsNumerator = 'royalty_points_numerator',\n /** column name */\n Supply = 'supply',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version',\n /** column name */\n UriMutable = 'uri_mutable'\n}\n\n/** Streaming cursor of the table \"token_datas\" */\nexport type Token_Datas_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Token_Datas_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Token_Datas_Stream_Cursor_Value_Input = {\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n default_properties?: InputMaybe<Scalars['jsonb']['input']>;\n description?: InputMaybe<Scalars['String']['input']>;\n description_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n largest_property_version?: InputMaybe<Scalars['numeric']['input']>;\n maximum?: InputMaybe<Scalars['numeric']['input']>;\n maximum_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n metadata_uri?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n payee_address?: InputMaybe<Scalars['String']['input']>;\n properties_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n royalty_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n royalty_points_denominator?: InputMaybe<Scalars['numeric']['input']>;\n royalty_points_numerator?: InputMaybe<Scalars['numeric']['input']>;\n supply?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n uri_mutable?: InputMaybe<Scalars['Boolean']['input']>;\n};\n\n/** columns and relationships of \"token_ownerships\" */\nexport type Token_Ownerships = {\n __typename?: 'token_ownerships';\n amount: Scalars['numeric']['output'];\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n name: Scalars['String']['output'];\n owner_address?: Maybe<Scalars['String']['output']>;\n property_version: Scalars['numeric']['output'];\n table_handle: Scalars['String']['output'];\n table_type?: Maybe<Scalars['String']['output']>;\n token_data_id_hash: Scalars['String']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"token_ownerships\". All fields are combined with a logical 'AND'. */\nexport type Token_Ownerships_Bool_Exp = {\n _and?: InputMaybe<Array<Token_Ownerships_Bool_Exp>>;\n _not?: InputMaybe<Token_Ownerships_Bool_Exp>;\n _or?: InputMaybe<Array<Token_Ownerships_Bool_Exp>>;\n amount?: InputMaybe<Numeric_Comparison_Exp>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n owner_address?: InputMaybe<String_Comparison_Exp>;\n property_version?: InputMaybe<Numeric_Comparison_Exp>;\n table_handle?: InputMaybe<String_Comparison_Exp>;\n table_type?: InputMaybe<String_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"token_ownerships\". */\nexport type Token_Ownerships_Order_By = {\n amount?: InputMaybe<Order_By>;\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n owner_address?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n table_handle?: InputMaybe<Order_By>;\n table_type?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"token_ownerships\" */\nexport enum Token_Ownerships_Select_Column {\n /** column name */\n Amount = 'amount',\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Name = 'name',\n /** column name */\n OwnerAddress = 'owner_address',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n TableHandle = 'table_handle',\n /** column name */\n TableType = 'table_type',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** Streaming cursor of the table \"token_ownerships\" */\nexport type Token_Ownerships_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Token_Ownerships_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Token_Ownerships_Stream_Cursor_Value_Input = {\n amount?: InputMaybe<Scalars['numeric']['input']>;\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n owner_address?: InputMaybe<Scalars['String']['input']>;\n property_version?: InputMaybe<Scalars['numeric']['input']>;\n table_handle?: InputMaybe<Scalars['String']['input']>;\n table_type?: InputMaybe<Scalars['String']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"tokens\" */\nexport type Tokens = {\n __typename?: 'tokens';\n collection_data_id_hash: Scalars['String']['output'];\n collection_name: Scalars['String']['output'];\n creator_address: Scalars['String']['output'];\n name: Scalars['String']['output'];\n property_version: Scalars['numeric']['output'];\n token_data_id_hash: Scalars['String']['output'];\n token_properties: Scalars['jsonb']['output'];\n transaction_timestamp: Scalars['timestamp']['output'];\n transaction_version: Scalars['bigint']['output'];\n};\n\n\n/** columns and relationships of \"tokens\" */\nexport type TokensToken_PropertiesArgs = {\n path?: InputMaybe<Scalars['String']['input']>;\n};\n\n/** Boolean expression to filter rows from the table \"tokens\". All fields are combined with a logical 'AND'. */\nexport type Tokens_Bool_Exp = {\n _and?: InputMaybe<Array<Tokens_Bool_Exp>>;\n _not?: InputMaybe<Tokens_Bool_Exp>;\n _or?: InputMaybe<Array<Tokens_Bool_Exp>>;\n collection_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n collection_name?: InputMaybe<String_Comparison_Exp>;\n creator_address?: InputMaybe<String_Comparison_Exp>;\n name?: InputMaybe<String_Comparison_Exp>;\n property_version?: InputMaybe<Numeric_Comparison_Exp>;\n token_data_id_hash?: InputMaybe<String_Comparison_Exp>;\n token_properties?: InputMaybe<Jsonb_Comparison_Exp>;\n transaction_timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n transaction_version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"tokens\". */\nexport type Tokens_Order_By = {\n collection_data_id_hash?: InputMaybe<Order_By>;\n collection_name?: InputMaybe<Order_By>;\n creator_address?: InputMaybe<Order_By>;\n name?: InputMaybe<Order_By>;\n property_version?: InputMaybe<Order_By>;\n token_data_id_hash?: InputMaybe<Order_By>;\n token_properties?: InputMaybe<Order_By>;\n transaction_timestamp?: InputMaybe<Order_By>;\n transaction_version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"tokens\" */\nexport enum Tokens_Select_Column {\n /** column name */\n CollectionDataIdHash = 'collection_data_id_hash',\n /** column name */\n CollectionName = 'collection_name',\n /** column name */\n CreatorAddress = 'creator_address',\n /** column name */\n Name = 'name',\n /** column name */\n PropertyVersion = 'property_version',\n /** column name */\n TokenDataIdHash = 'token_data_id_hash',\n /** column name */\n TokenProperties = 'token_properties',\n /** column name */\n TransactionTimestamp = 'transaction_timestamp',\n /** column name */\n TransactionVersion = 'transaction_version'\n}\n\n/** Streaming cursor of the table \"tokens\" */\nexport type Tokens_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: Tokens_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type Tokens_Stream_Cursor_Value_Input = {\n collection_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n collection_name?: InputMaybe<Scalars['String']['input']>;\n creator_address?: InputMaybe<Scalars['String']['input']>;\n name?: InputMaybe<Scalars['String']['input']>;\n property_version?: InputMaybe<Scalars['numeric']['input']>;\n token_data_id_hash?: InputMaybe<Scalars['String']['input']>;\n token_properties?: InputMaybe<Scalars['jsonb']['input']>;\n transaction_timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n transaction_version?: InputMaybe<Scalars['bigint']['input']>;\n};\n\n/** columns and relationships of \"user_transactions\" */\nexport type User_Transactions = {\n __typename?: 'user_transactions';\n block_height: Scalars['bigint']['output'];\n entry_function_id_str: Scalars['String']['output'];\n epoch: Scalars['bigint']['output'];\n expiration_timestamp_secs: Scalars['timestamp']['output'];\n gas_unit_price: Scalars['numeric']['output'];\n max_gas_amount: Scalars['numeric']['output'];\n parent_signature_type: Scalars['String']['output'];\n sender: Scalars['String']['output'];\n sequence_number: Scalars['bigint']['output'];\n timestamp: Scalars['timestamp']['output'];\n version: Scalars['bigint']['output'];\n};\n\n/** Boolean expression to filter rows from the table \"user_transactions\". All fields are combined with a logical 'AND'. */\nexport type User_Transactions_Bool_Exp = {\n _and?: InputMaybe<Array<User_Transactions_Bool_Exp>>;\n _not?: InputMaybe<User_Transactions_Bool_Exp>;\n _or?: InputMaybe<Array<User_Transactions_Bool_Exp>>;\n block_height?: InputMaybe<Bigint_Comparison_Exp>;\n entry_function_id_str?: InputMaybe<String_Comparison_Exp>;\n epoch?: InputMaybe<Bigint_Comparison_Exp>;\n expiration_timestamp_secs?: InputMaybe<Timestamp_Comparison_Exp>;\n gas_unit_price?: InputMaybe<Numeric_Comparison_Exp>;\n max_gas_amount?: InputMaybe<Numeric_Comparison_Exp>;\n parent_signature_type?: InputMaybe<String_Comparison_Exp>;\n sender?: InputMaybe<String_Comparison_Exp>;\n sequence_number?: InputMaybe<Bigint_Comparison_Exp>;\n timestamp?: InputMaybe<Timestamp_Comparison_Exp>;\n version?: InputMaybe<Bigint_Comparison_Exp>;\n};\n\n/** Ordering options when selecting data from \"user_transactions\". */\nexport type User_Transactions_Order_By = {\n block_height?: InputMaybe<Order_By>;\n entry_function_id_str?: InputMaybe<Order_By>;\n epoch?: InputMaybe<Order_By>;\n expiration_timestamp_secs?: InputMaybe<Order_By>;\n gas_unit_price?: InputMaybe<Order_By>;\n max_gas_amount?: InputMaybe<Order_By>;\n parent_signature_type?: InputMaybe<Order_By>;\n sender?: InputMaybe<Order_By>;\n sequence_number?: InputMaybe<Order_By>;\n timestamp?: InputMaybe<Order_By>;\n version?: InputMaybe<Order_By>;\n};\n\n/** select columns of table \"user_transactions\" */\nexport enum User_Transactions_Select_Column {\n /** column name */\n BlockHeight = 'block_height',\n /** column name */\n EntryFunctionIdStr = 'entry_function_id_str',\n /** column name */\n Epoch = 'epoch',\n /** column name */\n ExpirationTimestampSecs = 'expiration_timestamp_secs',\n /** column name */\n GasUnitPrice = 'gas_unit_price',\n /** column name */\n MaxGasAmount = 'max_gas_amount',\n /** column name */\n ParentSignatureType = 'parent_signature_type',\n /** column name */\n Sender = 'sender',\n /** column name */\n SequenceNumber = 'sequence_number',\n /** column name */\n Timestamp = 'timestamp',\n /** column name */\n Version = 'version'\n}\n\n/** Streaming cursor of the table \"user_transactions\" */\nexport type User_Transactions_Stream_Cursor_Input = {\n /** Stream column input with initial value */\n initial_value: User_Transactions_Stream_Cursor_Value_Input;\n /** cursor ordering */\n ordering?: InputMaybe<Cursor_Ordering>;\n};\n\n/** Initial value of the column from where the streaming should start */\nexport type User_Transactions_Stream_Cursor_Value_Input = {\n block_height?: InputMaybe<Scalars['bigint']['input']>;\n entry_function_id_str?: InputMaybe<Scalars['String']['input']>;\n epoch?: InputMaybe<Scalars['bigint']['input']>;\n expiration_timestamp_secs?: InputMaybe<Scalars['timestamp']['input']>;\n gas_unit_price?: InputMaybe<Scalars['numeric']['input']>;\n max_gas_amount?: InputMaybe<Scalars['numeric']['input']>;\n parent_signature_type?: InputMaybe<Scalars['String']['input']>;\n sender?: InputMaybe<Scalars['String']['input']>;\n sequence_number?: InputMaybe<Scalars['bigint']['input']>;\n timestamp?: InputMaybe<Scalars['timestamp']['input']>;\n version?: InputMaybe<Scalars['bigint']['input']>;\n};\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\n// region By status\n\nimport {\n Account_Transactions_Bool_Exp,\n Fungible_Asset_Activities_Bool_Exp,\n InputMaybe,\n Token_Activities_Bool_Exp,\n} from '../operations';\nimport { AptosName } from '../utils/names';\nimport { CoinInfoData } from './resource';\n\nexport interface UseActivityConfig {\n fungible_asset_activities_where?: InputMaybe<\n Fungible_Asset_Activities_Bool_Exp | Fungible_Asset_Activities_Bool_Exp[]\n >;\n queryKey?: string[];\n token_activities_where?: InputMaybe<\n Token_Activities_Bool_Exp | Token_Activities_Bool_Exp[]\n >;\n where?: InputMaybe<\n Account_Transactions_Bool_Exp | Account_Transactions_Bool_Exp[]\n >;\n}\n\nexport interface BaseConfirmedActivityItem {\n amount: bigint;\n coinInfo?: CoinInfoData | null;\n creationNum: number;\n sequenceNum: number;\n status: 'success' | 'failed';\n timestamp: number;\n txnVersion: bigint;\n}\n\nexport interface UnconfirmedActivityItem {\n expirationTimestamp: number;\n status: 'pending' | 'expired';\n txnHash: string;\n}\n\n// endregion\n\n// region By type\n\nexport type CoinEventActivityItem = BaseConfirmedActivityItem & {\n type: 'coinEvent';\n};\n\nexport type CoinTransferActivityItem = BaseConfirmedActivityItem & {\n recipient: string;\n recipientName?: AptosName;\n sender: string;\n senderName?: AptosName;\n type: 'coinTransfer';\n};\n\nexport type GasFeeActivityItem = BaseConfirmedActivityItem & {\n type: 'gasFee';\n};\n\n// endregion\n\nexport function isConfirmedActivityItem(\n item: ActivityItem,\n): item is ConfirmedActivityItem {\n return item.status === 'success' || item.status === 'failed';\n}\n\nexport type ConfirmedActivityItem =\n | CoinEventActivityItem\n | CoinTransferActivityItem\n | GasFeeActivityItem;\nexport type ActivityItem = ConfirmedActivityItem | UnconfirmedActivityItem;\n\n// Activity events\n\n// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nexport type ActivityEvent =\n | StakeEvent\n | SendCoinEvent\n | ReceiveCoinEvent\n | SwapCoinEvent\n | GasEvent\n | SendTokenEvent\n | ReceiveTokenEvent\n | SendTokenOfferEvent\n | ReceiveTokenOfferEvent\n | MintTokenEvent;\n\nexport type BaseEvent = {\n account: string;\n eventIndex: number;\n gas: bigint;\n success: boolean;\n timestamp: Date;\n version: bigint;\n};\n\nexport type AptosIdentity = {\n address: string;\n name?: AptosName;\n};\n\n/** When you send coin to somebody. */\nexport interface SendCoinEventBase {\n _type: 'send';\n amount: bigint;\n coin: string;\n coinInfo?: CoinInfoData;\n receiver: AptosIdentity;\n}\nexport interface SendCoinEvent extends BaseEvent, SendCoinEventBase {}\n\nexport interface StakeEventBase {\n _type: 'add-stake' | 'unstake' | 'withdraw-stake';\n amount: string;\n pool: string;\n}\n\nexport interface StakeEvent extends BaseEvent, StakeEventBase {}\n\n/** When you receive coin from somebody. */\nexport interface ReceiveCoinEventBase {\n _type: 'receive';\n amount: bigint;\n coin: string;\n coinInfo?: CoinInfoData;\n sender: AptosIdentity;\n}\nexport interface ReceiveCoinEvent extends BaseEvent, ReceiveCoinEventBase {}\n\n/** When you swap {coin, amount} in exchange for {swapCoin, swapAmount}. */\nexport interface SwapCoinEventBase {\n _type: 'swap';\n amount: bigint;\n coin: string;\n coinInfo?: CoinInfoData;\n swapAmount: bigint;\n swapCoin: string;\n swapCoinInfo?: CoinInfoData;\n}\nexport interface SwapCoinEvent extends BaseEvent, SwapCoinEventBase {}\n\n/**\n * A miscellaneous gas fee (i.e. when you pay gas but there are no other\n * coin/token activities in the transaction).\n */\nexport type GasEvent = BaseEvent & {\n _type: 'gas';\n};\n\n/**\n * When you send a token to somebody; either by them claiming your offer, or\n * through direct transfer.\n */\nexport type SendTokenEvent = BaseEvent & {\n _type: 'send_token';\n collection: string;\n name: string;\n receiver: AptosIdentity;\n uri: string;\n};\n\n/**\n * When you receive a token from somebody; either by you claiming their offer,\n * or through direct transfer.\n */\nexport type ReceiveTokenEvent = BaseEvent & {\n _type: 'receive_token';\n collection: string;\n name: string;\n sender: AptosIdentity | null;\n uri: string;\n};\n\n/** When you offer a token to somebody. */\nexport type SendTokenOfferEvent = BaseEvent & {\n _type: 'send_token_offer';\n collection: string;\n name: string;\n receiver: AptosIdentity;\n uri: string;\n};\n\n/** When somebody offers you a token. */\nexport type ReceiveTokenOfferEvent = BaseEvent & {\n _type: 'receive_token_offer';\n collection: string;\n name: string;\n sender: AptosIdentity;\n uri: string;\n};\n\n/** When a token is minted. */\nexport type MintTokenEvent = BaseEvent & {\n _type: 'mint_token';\n collection: string;\n minter: AptosIdentity;\n name: string;\n uri: string;\n};\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { AptosName } from '../utils/names';\n\nexport type TokenStandard = 'v1' | 'v2';\n\nexport interface TokenData {\n amount?: number;\n cdnImageUri?: string | null;\n collection: string;\n collectionData?: CollectionData;\n collectionDataIdHash?: string;\n creator: string;\n description: string;\n // TODO: In V2 this is not a hash, this is very confusing\n idHash: string;\n isFungibleV2: boolean;\n isSoulbound: boolean;\n metadataUri: string;\n name: string;\n tokenStandard: TokenStandard;\n}\n\nexport type ExtendedTokenData = TokenData & {\n collectionData?: CollectionData;\n lastTxnVersion: bigint;\n propertyVersion?: number;\n tokenProperties: { [key: string]: string };\n};\n\nexport interface TokenClaim {\n amount: number;\n collectionData?: CollectionData;\n fromAddress: string;\n fromAddressName?: AptosName;\n lastTransactionTimestamp: string;\n lastTransactionVersion: number;\n toAddress: string;\n toAddressName?: AptosName;\n tokenData: ExtendedTokenData;\n}\n\nexport enum TokenEvent {\n CancelOffer = '0x3::token_transfers::TokenCancelOfferEvent',\n Claim = '0x3::token_transfers::TokenClaimEvent',\n Create = '0x3::token::CreateTokenDataEvent',\n Deposit = '0x3::token::DepositEvent',\n Mint = '0x3::token::MintTokenEvent',\n Mutate = '0x3::token::MutateTokenPropertyMapEvent',\n Offer = '0x3::token_transfers::TokenOfferEvent',\n Withdraw = '0x3::token::WithdrawEvent',\n}\n\nexport interface CollectionData {\n cdnImageUri?: string;\n collectionDataIdHash: string;\n collectionName: string;\n creatorAddress: string;\n description: string;\n distinctTokens?: number;\n fallbackUri?: string;\n floorPrice?: number;\n idHash: string;\n metadataUri: string;\n name: string;\n supply?: number | null;\n}\n\nexport interface TokenActivity {\n accountAddress: string;\n collectionDataId?: string;\n collectionName?: string;\n creatorAddress?: string;\n fromAddress?: string | null;\n name?: string;\n propertyVersion: number;\n toAddress?: string | null;\n tokenAmount: number;\n tokenId: string;\n transactionTimestamp: string;\n transactionVersion: string;\n transferType: string;\n}\n\nexport default TokenData;\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { BCS, HexString, TxnBuilderTypes, Types } from 'aptos';\n\nexport type EntryFunctionPayload = Types.EntryFunctionPayload & {\n // Note: when the type is not specified, we default to entry function\n type?: 'entry_function_payload';\n};\nexport type MultisigPayload = Types.MultisigPayload & {\n type: 'multisig_payload';\n};\nexport type JsonPayload = EntryFunctionPayload | MultisigPayload;\n\nexport type TransactionPayload =\n | JsonPayload\n | TxnBuilderTypes.TransactionPayload;\nexport type SerializedPayload = JsonPayload | string;\nexport type SerializedMultiAgentPayload = string;\n\n// region Payload arg\n\ninterface SerializedUint8ArrayArg {\n stringValue: string;\n type: 'Uint8Array';\n}\n\ntype SerializedArg = SerializedUint8ArrayArg;\n\nfunction isSerializedArg(argument: any): argument is SerializedArg {\n return (\n argument !== undefined &&\n argument?.stringValue !== undefined &&\n typeof argument?.stringValue === 'string' &&\n argument?.type !== undefined\n );\n}\n\nfunction serializePayloadArg<TArg>(argument: TArg): SerializedArg | TArg {\n if (argument instanceof Uint8Array) {\n return {\n stringValue: HexString.fromUint8Array(argument).hex(),\n type: 'Uint8Array',\n };\n }\n\n // Everything else is already serializable\n return argument;\n}\n\nexport function deserializePayloadArg(argument: any) {\n if (!isSerializedArg(argument)) {\n return argument;\n }\n\n if (argument.type === 'Uint8Array') {\n return new HexString(argument.stringValue).toUint8Array();\n }\n\n // Everything else is already deserializable\n return argument;\n}\n\n// endregion\n\n// region Payload\n\nfunction isBcsSerializable(\n payload: any,\n): payload is TxnBuilderTypes.TransactionPayload {\n // Note: Just using `instanceof` won't work, since the dapp has its own Aptos bundle\n // which is distinct from the bundle used by Petra, and `instanceof` fails\n return (\n payload instanceof TxnBuilderTypes.TransactionPayload ||\n (payload as TxnBuilderTypes.TransactionPayload)?.serialize !== undefined\n );\n}\n\nexport function serializeEntryFunctionPayload(\n payload: Types.EntryFunctionPayload,\n): Types.EntryFunctionPayload {\n // Replace arguments with serialized ones\n const serializedArgs = payload.arguments.map((arg) =>\n serializePayloadArg(arg),\n );\n return { ...payload, arguments: serializedArgs };\n}\n\nexport function ensurePayloadSerialized(\n payload: TransactionPayload,\n): SerializedPayload {\n // If the payload is serializable to BCS, serialize it to bytes string\n if (isBcsSerializable(payload)) {\n const payloadBytes = BCS.bcsToBytes(payload);\n return HexString.fromUint8Array(payloadBytes).hex();\n }\n\n if (payload.type === 'multisig_payload') {\n const txnPayload =\n payload.transaction_payload !== undefined\n ? serializeEntryFunctionPayload(payload.transaction_payload)\n : undefined;\n return { ...payload, transaction_payload: txnPayload };\n }\n\n return serializeEntryFunctionPayload(payload);\n}\n\nexport function deserializeEntryFunctionPayload(\n payload: Types.EntryFunctionPayload,\n): Types.EntryFunctionPayload {\n // Replace arguments with deserialized ones\n const deserializedArgs = payload.arguments.map((arg) =>\n deserializePayloadArg(arg),\n );\n return { ...payload, arguments: deserializedArgs };\n}\n\nexport function ensurePayloadDeserialized(\n payload: SerializedPayload,\n): TransactionPayload {\n // If the payload is a BCS bytes string, deserialize it into a payload object\n if (typeof payload === 'string') {\n const encodedPayload = new HexString(payload).toUint8Array();\n const deserializer = new BCS.Deserializer(encodedPayload);\n return TxnBuilderTypes.TransactionPayload.deserialize(deserializer);\n }\n\n if (payload.type === 'multisig_payload') {\n const txnPayload =\n payload.transaction_payload !== undefined\n ? deserializeEntryFunctionPayload(payload.transaction_payload)\n : undefined;\n return { ...payload, transaction_payload: txnPayload };\n }\n\n return deserializeEntryFunctionPayload(payload);\n}\n\nexport function ensureMultiAgentPayloadSerialized(\n payload: TxnBuilderTypes.MultiAgentRawTransaction,\n): SerializedMultiAgentPayload {\n const payloadBytes = BCS.bcsToBytes(payload);\n return HexString.fromUint8Array(payloadBytes).hex();\n}\n\nexport function ensureMultiAgentPayloadDeserialized(\n payload: SerializedMultiAgentPayload,\n): TxnBuilderTypes.RawTransactionWithData {\n const encodedPayload = new HexString(payload).toUint8Array();\n const deserializer = new BCS.Deserializer(encodedPayload);\n return TxnBuilderTypes.MultiAgentRawTransaction.deserialize(deserializer);\n}\n\n// endregion\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport { Types, TokenTypes } from 'aptos';\n\n/**\n * The REST API exposes the event's originating transaction version,\n * but the type in the Aptos SDK has not been updated yet\n */\nexport type EventWithVersion = Types.Event & { version: string };\n\n/**\n * Preprocessed version of an Event. Mostly using numbers instead of strings\n */\ninterface BaseEvent {\n guid: {\n address: string;\n creationNumber: number;\n };\n sequenceNumber: number;\n version: number;\n}\n\nexport type CoinWithdrawEvent = BaseEvent & {\n data: { amount: string };\n type: '0x1::coin::WithdrawEvent';\n};\n\nexport type CoinDepositEvent = BaseEvent & {\n data: { amount: string };\n type: '0x1::coin::DepositEvent';\n};\n\nexport type TokenWithdrawEvent = BaseEvent & {\n data: { amount: string; id: TokenTypes.TokenId };\n type: '0x3::token::WithdrawEvent';\n};\n\nexport type TokenDepositEvent = BaseEvent & {\n data: { amount: string; id: TokenTypes.TokenId };\n type: '0x3::token::DepositEvent';\n};\n\nexport type GenericEvent = BaseEvent & {\n data: any;\n type: Types.MoveType;\n};\n\nexport type Event =\n | CoinWithdrawEvent\n | CoinDepositEvent\n | TokenWithdrawEvent\n | TokenDepositEvent\n | GenericEvent;\n\nexport type CoinEvent = CoinDepositEvent | CoinWithdrawEvent;\n\nexport function isCoinEvent(event: Event): event is CoinEvent {\n return (\n event.type === '0x1::coin::DepositEvent' ||\n event.type === '0x1::coin::WithdrawEvent'\n );\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nexport enum ValidatorStatus {\n active,\n inactive,\n pendingActivity,\n pendingInactive,\n unknown,\n}\n\nexport enum StakeOperation {\n REACTIVATE = 'reactivate_stake',\n STAKE = 'add_stake',\n UNLOCK = 'unlock',\n WITHDRAW = 'withdraw',\n}\n\nexport interface ValidatorFromJSONFile {\n apt_rewards_distributed: number;\n governance_voting_record: string;\n last_epoch: number;\n last_epoch_performance: string;\n liveness: number;\n location_stats?: GeoData;\n operator_address: string;\n owner_address: string;\n rewards_growth: number;\n}\n\nexport interface GeoData {\n city: string;\n country: string;\n epoch: number;\n latitude: number;\n longitude: number;\n peer_id: string;\n region: string;\n}\n\nexport interface StakingInfo {\n delegationPool: DelegationPoolMetadata;\n totalVotingPower: string;\n validator: ValidatorFromJSONFile;\n}\n\nexport interface DelegationPoolMetadata {\n commission: number;\n delegatedStakeAmount: string;\n lockedUntilTimestamp: number | null;\n networkPercentage: number;\n numberOfDelegators: number;\n rewardsRate: number;\n validatorStatus: ValidatorStatus;\n}\n","// Copyright © Aptos\n// SPDX-License-Identifier: Apache-2.0\n\nimport type { TokenTypes, TxnBuilderTypes, Types } from 'aptos';\nimport { MoveAbortDetails } from '../utils/move/abort';\nimport { AptosName } from '../utils/names';\nimport { CoinInfoData } from './resource';\nimport { MoveStatusCode, MoveVmError } from '../utils/move/error';\n\nexport interface CoinBalanceChange {\n amount: bigint;\n coinInfo?: CoinInfoData;\n}\n\nexport interface TokenBalanceChange {\n amount: bigint;\n tokenDataIdOrAddress: TokenTypes.TokenDataId | string;\n}\n\nexport type CoinBalanceChangesByCoinType = Record<string, CoinBalanceChange>;\nexport type CoinBalanceChangesByAccount = Record<\n string,\n CoinBalanceChangesByCoinType\n>;\n\ninterface MiscellaneousError {\n description: string;\n type: 'miscellaneous';\n}\n\ntype AbortError = MoveAbortDetails & {\n type: 'abort';\n};\n\nexport type TransactionError = MiscellaneousError | AbortError;\n\n// region By type\n\nexport interface BaseTransactionProps {\n expirationTimestamp: number;\n gasUnitPrice: number;\n hash: string;\n payload: Types.TransactionPayload;\n sender: string;\n senderName?: AptosName;\n}\n\nexport type PendingTransaction = BaseTransactionProps & {\n onChain: false;\n};\n\nexport type OnChainTransaction = BaseTransactionProps & {\n coinBalanceChanges: CoinBalanceChangesByAccount;\n error?: TransactionError;\n gasFee: number;\n onChain: true;\n rawChanges: Types.WriteSetChange[];\n rawEvents: Types.Event[];\n success: boolean;\n timestamp: number;\n version: number;\n};\n\n// endregion\n\nexport type BaseTransaction = PendingTransaction | OnChainTransaction;\n\n// region By payload\n\nexport type CoinTransferTransaction = BaseTransaction & {\n amount: bigint;\n coinInfo?: CoinInfoData | null;\n coinType: string;\n recipient: string;\n recipientName?: AptosName;\n type: 'transfer';\n};\n\nexport type CoinMintTransaction = BaseTransaction & {\n amount: bigint;\n coinInfo?: CoinInfoData | null;\n recipient: string;\n type: 'mint';\n};\n\nexport type GenericTransaction = BaseTransaction & {\n type: 'generic';\n};\n\n// endregion\n\nexport type Transaction =\n | CoinTransferTransaction\n | CoinMintTransaction\n | GenericTransaction;\n\nexport type RawTransactionFactory = () =>\n | TxnBuilderTypes.RawTransaction\n | Promise<TxnBuilderTypes.RawTransaction>;\n\nexport function isEntryFunctionPayload(\n payload: Types.TransactionPayload,\n): payload is Types.TransactionPayload_EntryFunctionPayload {\n return payload.type === 'entry_function_payload';\n}\n\nexport function isSequenceNumberTooOldError(err: unknown) {\n return (\n err instanceof MoveVmError &&\n err.statusCode === MoveStatusCode.SEQUENCE_NUMBER_TOO_OLD\n );\n}\n"],"mappings":"AAGO,IAAMA,EAAN,cAA+C,KAAM,CAC1D,KAAO,mCAEP,QAAU,6CACZ,EAEaC,GAAN,cAAsC,KAAM,CACjD,KAAO,0BAEP,QAAU,wCACZ,ECQA,eAAsBC,GAEpB,CAAE,YAAAC,CAAY,EAC8B,CAC5C,IAAMC,EAAO,KAEb,GACE,EAAE,oBAAqBA,EAAK,SAC5B,EAAE,sBAAuBA,EAAK,QAE9B,MAAM,IAAIC,EAGZ,IAAMC,EAAY,MAAMF,EAAK,OAAO,gBAAgBD,CAAW,EAG/D,MAAO,CAAE,MAFO,MAAM,KAAK,kBAAkB,CAAE,UAAAG,CAAU,CAAC,GAEnC,IAAK,CAC9B,CCrBA,eAAsBC,GAEpB,CAAE,OAAAC,CAAO,EACY,CACrB,IAAMC,EAAO,KAEb,GAAI,EAAE,eAAgBA,EAAK,QACzB,MAAM,IAAIC,EAGZ,OAAOD,EAAK,OAAO,WAAWD,CAAM,CACtC,CCPA,eAAsBG,GAEpB,CAAE,QAAAC,CAAQ,EACoB,CAC9B,IAAMC,EAAO,KAEb,GAAI,EAAE,gBAAiBA,EAAK,QAC1B,MAAM,IAAIC,EAGZ,OAAOD,EAAK,OAAO,YAAYD,CAAO,CACxC,CCZA,eAAsBG,GAEpB,CAAE,OAAAC,CAAO,EACuB,CAChC,IAAMC,EAAO,KAEb,GAAI,EAAE,oBAAqBA,EAAK,QAC9B,MAAM,IAAIC,EAGZ,OAAOD,EAAK,OAAO,gBAAgBD,CAAM,CAC3C,CC5BA,OAAS,aAAAG,GAAW,6BAAAC,OAAwC,QCA5D,OAAsC,aAAAC,OAAiB,QAEhD,IAAMC,GAAoB,MAC/BC,EACAC,IACG,CACH,IAAMC,EAAU,MAAMD,EAAY,WAAWD,CAAO,EACpD,OAAO,OAAOE,EAAQ,eAAe,CACvC,EAEO,SAASC,GAAiBH,EAAiB,CAGhD,MAAO,KAFU,IAAIF,GAAUE,CAAO,EAAE,SAAS,EACjB,SAAS,GAAI,GAAG,CACtB,EAC5B,CCdA,OAEE,mBAAAI,MAGK,QCHP,OAAOC,OAAW,QAElB,IAAMC,GAAe,QAAQ,IAAI,WAAa,aACxCC,GAAgB,QAAQ,IAAI,WAAa,cAGzCC,GAAsB,4CAGtBC,GAAY,GAAK,GAAK,GAAK,IAG7BC,EAEJ,eAAeC,IAAqB,CAElC,IAAMC,EAAc,KAAK,IAAI,EACvBC,EAAW,MAAMR,GAAM,IAAI,GAAGG,EAAmB,IAAII,CAAW,EAAE,EAClEE,EAAe,KAAK,IAAI,EAE9B,GAAI,CAAC,WAAW,KAAKD,EAAS,IAAI,EAChC,MAAM,IAAI,MAAM,yCAAyC,EAK3D,IAAME,EAAa,OAAOF,EAAS,IAAI,EACjCG,GAAcJ,EAAcE,GAAgB,EAC5CG,EAAWF,EAAaC,EAE9B,GAAI,OAAO,MAAMC,CAAQ,EACvB,MAAM,IAAI,MAAM,iBAAiB,EAC5B,GAAI,KAAK,IAAIA,CAAQ,EAAIR,GAC9B,MAAM,IAAI,MAAM,oBAAoB,EAGtC,OAAOQ,CACT,CAQA,eAAsBC,IAAkB,CACtC,GAAI,CACFR,EAAkB,MAAMC,GAAmB,CAC7C,OAASQ,EAAO,CACd,GAAI,CAACb,GACH,MAAMa,EAIR,QAAQ,MAAM,8BAA+BA,CAAK,CACpD,CACF,CAQO,SAASC,GAAgB,CAC9B,OAAIb,IAAiBG,IAAoB,QAEvC,QAAQ,KAAK,iDAAiD,EAEzD,KAAK,IAAI,GAAKA,GAAmB,EAC1C,CAKO,SAASW,IAAgB,CAC9B,OAAO,IAAI,KAAKD,EAAc,CAAC,CACjC,CD7DO,IAAME,GAAkC,GAEzC,CAAE,eAAAC,GAAgB,QAAAC,GAAS,eAAAC,EAAe,EAAIC,EAEpD,eAAsBC,GACpBC,EACAC,EAC0D,CAK1D,IAAMC,EAAoB,GACpBC,EAAc,CAClB,eAAgB,IAChB,gBAAiB,GACnB,EAMA,OALmB,MAAMH,EAAY,oBACnCE,EACAD,EACAE,CACF,GACkB,OACpB,CAEA,eAAsBC,GACpBJ,EACAC,EAIA,CACA,GAAIA,EAAQ,OAAS,mBAAoB,CACvC,IAAMI,EAAkBP,EAAgB,eAAe,QACrDG,EAAQ,gBACV,EAEIK,EACJ,GAAIL,EAAQ,sBAAwB,OAAW,CAC7C,IAAMM,EAAiB,MAAMR,GAC3BC,EACAC,EAAQ,mBACV,EACAK,EAAkB,IAAIR,EAAgB,2BACpCS,EAAe,KACjB,CACF,CAEA,IAAMC,EAAW,IAAIV,EAAgB,SACnCO,EACAC,CACF,EACA,OAAO,IAAIR,EAAgB,2BAA2BU,CAAQ,CAChE,CAEA,OAAOT,GAA2BC,EAAaC,CAAO,CACxD,CAEO,SAASQ,GACdC,EACAC,EACAC,EACAX,EACAY,EACgC,CAChC,IAAIC,EAAsBD,GAAS,oBACnC,GAAI,CAACC,EAAqB,CACxB,IAAMC,EACJF,GAAS,0BAA4BnB,GACvCoB,EACE,KAAK,MAAME,EAAc,EAAI,GAAI,EAAID,CACzC,CAEA,OAAO,IAAIlB,GACTF,GAAe,QAAQe,CAAa,EACpC,OAAOC,CAAc,EACrBV,EAEA,OAAOY,GAAS,cAAgB,CAAC,EACjC,OAAOA,GAAS,cAAgB,CAAC,EACjC,OAAOC,CAAmB,EAC1B,IAAIlB,GAAQ,OAAOgB,CAAO,CAAC,CAC7B,CACF,CErGA,OAAS,YAAAK,GAAuB,mBAAAC,OAA8B,QCQvD,IAAKC,QACVA,IAAA,gBAAkB,GAAlB,kBACAA,IAAA,2BACAA,IAAA,+BACAA,IAAA,qCACAA,IAAA,uCACAA,IAAA,uBACAA,IAAA,qBACAA,IAAA,iCACAA,IAAA,yCACAA,IAAA,0BACAA,IAAA,wBACAA,IAAA,oCACAA,IAAA,8BAbUA,QAAA,IAyBAC,QACVA,IAAA,qBAAuB,GAAvB,uBACAA,IAAA,6CACAA,IAAA,+CACAA,IAAA,2DACAA,IAAA,iDACAA,IAAA,uBACAA,IAAA,iDACAA,IAAA,qDACAA,IAAA,+BACAA,IAAA,sEACAA,IAAA,sEAXUA,QAAA,IAeAC,QACVA,IAAA,wBAA0B,GAA1B,0BACAA,IAAA,uDACAA,IAAA,+CACAA,IAAA,yDACAA,IAAA,iDACAA,IAAA,6CACAA,IAAA,yDACAA,IAAA,6CACAA,IAAA,yCACAA,IAAA,oBACAA,IAAA,kEAXUA,QAAA,IAeAC,QACVA,IAAA,SAAW,GAAX,WACAA,IAAA,sBAAwB,MAAxB,wBACAA,IAAA,kDACAA,IAAA,kDACAA,IAAA,gDACAA,IAAA,4CACAA,IAAA,8CACAA,IAAA,8BACAA,IAAA,kDACAA,IAAA,gFAVUA,QAAA,IAkBNC,GAAmB,CACvB,eAAgBH,GAChB,YAAaC,GACb,8BAA+BC,EACjC,EAQME,GACJ,6DACIC,GACJ,kEAMF,SAASC,GAAyBC,EAAkB,CAClD,IAAIC,EAGJ,GADAA,EAAQD,EAAS,MAAMF,EAAyB,EAC5CG,EAAO,CACT,IAAMC,EAAWD,EAAM,CAAC,EAClBE,EAAaF,EAAM,CAAC,EACpBG,EAAO,SAASH,EAAM,CAAC,EAAG,EAAE,EAC5BI,EAAcJ,EAAM,CAAC,EAC3B,MAAO,CACL,KAAAG,EACA,SAAAF,EACA,YAAAG,EACA,WAAAF,CACF,CACF,CAGA,GADAF,EAAQD,EAAS,MAAMH,EAAgB,EACnCI,EAAO,CACT,IAAMC,EAAWD,EAAM,CAAC,EAExB,MAAO,CAAE,KADI,SAASA,EAAM,CAAC,EAAG,EAAE,EACnB,SAAAC,CAAS,CAC1B,CAGF,CAcO,SAASI,GAAsBN,EAAkB,CACtD,IAAMO,EAAUR,GAAyBC,CAAQ,EACjD,GAAI,CAACO,EACH,OAGF,GAAM,CAAE,KAAAH,EAAM,SAAAF,CAAS,EAAIK,EACrBC,GAAaJ,EAAO,WAAa,GACjCK,EAAUL,EAAO,MACnB,CAAE,YAAaM,CAAY,EAAIH,EAC7B,CAAE,WAAAJ,CAAW,EAAII,EAGvB,GAAI,CAACG,GAAeR,IAAa,OAAW,CAC1C,IAAMS,EAAcnB,GAAkBgB,CAAQ,EACxCI,EAAgBhB,GAAiBM,CAAQ,EACzCW,EACJD,IAAkB,OAAYA,EAAcH,CAAM,EAAI,OAEpDE,IAAgB,QAAaE,IAAc,SAC7CH,EAAc,GAAGC,CAAW,KAAKE,CAAS,GAE9C,CAGA,GAAI,CAACH,EAAa,CAChB,IAAMI,EAAUV,EAAK,SAAS,EAAE,EAC1BW,EAAiBb,EAAW,OAAOA,CAAQ,GAAK,OAChDc,EAAOb,EAAa,KAAKA,CAAU,IAAM,OAC/CO,EAAc,gBAAgBI,CAAO,GAAGC,CAAc,GAAGC,CAAI,EAC/D,CAEA,MAAO,CACL,SAAAR,EACA,KAAAJ,EACA,YAAAM,EACA,SAAAR,EACA,OAAAO,CACF,CACF,CChLO,IAAKQ,OACVA,IAAA,4BAA8B,MAA9B,8BACAA,IAAA,+BAAiC,IAAjC,iCACAA,IAAA,+BAAiC,IAAjC,iCACAA,IAAA,yCAA2C,GAA3C,2CACAA,IAAA,8CAAgD,IAAhD,gDACAA,IAAA,0CAA4C,IAA5C,4CACAA,IAAA,WAAa,MAAb,aACAA,IAAA,wBAA0B,GAA1B,0BARUA,OAAA,IAWAC,QACVA,EAAA,4BAA8B,0BAC9BA,EAAA,+BAAiC,8FACjCA,EAAA,+BAAiC,sFACjCA,EAAA,yCAA2C,sDAC3CA,EAAA,8CAAgD,yGAChDA,EAAA,0CAA4C,6EAC5CA,EAAA,kCAAoC,2DACpCA,EAAA,WAAa,aACbA,EAAA,wBAA0B,6BAThBA,QAAA,IAqBNC,GAAmB,uDAOnBC,GAAiB,qDAKVC,EAAN,MAAMC,UAAoB,KAAM,CACrC,YACWC,EACAC,EAAaD,GAAiBN,EAAeM,CAAa,EACnE,CACA,MAAM,EAHG,mBAAAA,EACA,gBAAAC,EAGT,KAAK,KAAO,cACZ,OAAO,eAAe,KAAMF,EAAY,SAAS,EACjD,KAAK,QACHC,IACCC,GAAcP,EAAeO,CAAU,IACxC,eACJ,CACF,EAMO,SAASC,GAAmBC,EAAkB,CACnD,IAAMC,EAAQD,EAAS,MAAMP,EAAgB,EAC7C,OAAOQ,IAAU,KAAQA,EAAM,CAAC,EAA0B,MAC5D,CAMO,SAASC,GAAiBC,EAAkB,CACjD,IAAMF,EAAQE,EAAS,MAAMT,EAAc,EAC3C,OAAOO,IAAU,KAAQA,EAAM,CAAC,EAA0B,MAC5D,CC5EO,IAAKG,QACVA,IAAA,qBACAA,IAAA,uBACAA,IAAA,yBACAA,IAAA,uCACAA,IAAA,2CALUA,QAAA,IAQL,SAASC,GAAkBC,EAAgB,CAChD,OAAIA,IAAW,wBACN,EAELA,IAAW,aACN,EAELA,EAAO,WAAW,YAAY,EACzB,EAELA,EAAO,WAAW,kBAAkB,EAC/B,EAEF,CACT,CHRO,SAASC,GAAgBC,EAA4B,CAC1D,IAAMC,EAAWC,GAAkBF,EAAI,SAAS,EAEhD,GAAIC,IAAa,EAAiC,CAChD,IAAME,EAAgBC,GAAmBJ,EAAI,SAAS,EACtD,MAAM,IAAIK,EAAYF,CAAa,CACrC,CAEA,GAAIF,IAAa,EACf,MAAM,IAAII,EAAY,YAAY,EAGpC,GAAIJ,IAAa,EACf,MAAM,IAAII,CAEd,CAIO,SAASC,EAAmBC,EAAmB,CACpD,OAAOA,EAAU,EAAE,IAAM,IAAM,GAAGA,CAAS,IAAMA,CACnD,CAMO,SAASC,GAAeC,EAAU,CACvC,GAAIA,aAAeC,GAAU,CAC3B,GAAM,CAAE,QAAAC,CAAQ,EAAI,KAAK,MAAMF,EAAI,OAAO,EACpCG,EACJH,EAAI,cAAgB,OACf,OAAOA,EAAI,WAAW,EACvB,OACAN,EAAgBU,GAAiBF,CAAO,EAC9C,MAAM,IAAIN,EAAYF,EAAeS,CAAU,CACjD,CACF,CAEA,eAAsBE,GACpBC,EACAC,EAKA,CACA,OAAOD,aAAmBE,GAAgB,mBACtCF,EACAG,GAAcF,EAAaD,CAAO,CACxC,CInEA,OAAS,mBAAAI,OAAuB,QAEzB,SAASC,IAAyD,CACvE,IAAMC,EAAkB,IAAI,WAAW,EAAE,EACzC,OAAO,IAAIF,GAAgB,iBAAiBE,CAAe,CAC7D,CCDA,IAAMC,GAAuB,EAEtB,SAASC,GACdC,EACAC,EAAaH,GACb,CACA,OAAOE,EAAkBC,CAC3B,CCZO,IAAMC,EAAN,KAAgB,CACrBC,GAEA,YAAYC,EAAc,CACxB,KAAKD,GAAQC,EAAK,YAAY,EAAE,QAAQ,YAAa,EAAE,CACzD,CAEA,UAAmB,CACjB,MAAO,GAAG,KAAKD,EAAK,MACtB,CAEA,UAAmB,CACjB,OAAO,KAAKA,EACd,CACF,ECsCO,IAAME,EAAN,cAA+B,KAAM,CAAC,EAChCC,EAAN,cAA6C,KAAM,CAAC,EAE3D,SAASC,GACPC,EACe,CACf,MAAO,CACL,QAASA,EAAS,cAClB,KAAMA,EAAS,kBAAkB,CAAC,GAAG,OACjC,IAAIC,EAAUD,EAAS,kBAAkB,CAAC,EAAE,MAAM,EAClD,MACN,CACF,CAEA,SAASE,EACPF,EAC2B,CAC3B,GAAKA,EAAS,WAGd,MAAO,CACL,QAASA,EAAS,WAClB,KAAMA,EAAS,eAAe,CAAC,GAAG,OAC9B,IAAIC,EAAUD,EAAS,eAAe,CAAC,EAAE,MAAM,EAC/C,MACN,CACF,CAEA,SAASG,EACPH,EAC2B,CAC3B,GAAKA,EAAS,aAGd,MAAO,CACL,QAASA,EAAS,aAClB,KAAMA,EAAS,kBAAkB,CAAC,GAAG,OACjC,IAAIC,EAAUD,EAAS,kBAAkB,CAAC,EAAE,MAAM,EAClD,MACN,CACF,CAEA,SAASI,GACPC,EACoE,CACpE,IAAMC,EAA4C,CAAC,EAC7CC,EAA+C,CAAC,EAIhDC,EAAaH,EAAe,OAC/BI,GAAO,CAAC,CAACA,EAAG,MACf,EAEA,QAAWC,KAAgBF,EAEvB,CAAC,0BAA2B,mCAAmC,EAAE,SAC/DE,EAAa,IACf,EAEAJ,EAAS,KAAKI,CAAY,EAE1B,CACE,2BACA,oCACF,EAAE,SAASA,EAAa,IAAI,GAE5BH,EAAY,KAAKG,CAAY,EAKjC,OAAAJ,EAAS,KAAK,CAACK,EAAGC,IAAMD,EAAE,OAASC,EAAE,MAAM,EAC3CL,EAAY,KAAK,CAACI,EAAGC,IAAMD,EAAE,OAASC,EAAE,MAAM,EACvC,CAACN,EAAUC,CAAW,CAC/B,CAEA,SAASM,GACPC,EACA,CACA,IAAMR,EAAW,CAAC,EACZC,EAAc,CAAC,EAErB,QAAWQ,KAAiBD,EACtBC,EAAc,gBAAkB,2BAClCT,EAAS,KAAKS,CAAa,EAClBA,EAAc,gBAAkB,6BACzCR,EAAY,KAAKQ,CAAa,EAIlC,MAAO,CAACT,EAAUC,CAAW,CAC/B,CAEA,SAASS,GAAWC,EAAqC,CAOvD,GANkB,IAAI,IACpBA,EAAc,0BAA0B,IAAKR,GAAOA,EAAG,UAAU,CACnE,EAIc,KAAO,EAAG,CACtB,IAAMS,EAAkBD,EAAc,0BAA0B,OAC7DR,GACCA,EAAG,gBAAkBQ,EAAc,iBACnCR,EAAG,aAAe,IAClBA,EAAG,aAAe,qBACtB,EAEMU,EACJD,EAAgB,OAAQT,GAAOA,EAAG,OAAS,0BAA0B,EAClE,SAAW,GACdS,EAAgB,OAAQT,GAAOA,EAAG,OAAS,yBAAyB,EACjE,SAAW,EAEhB,OACES,EAAgB,SAAW,GAC3BA,EAAgB,CAAC,EAAE,aAAeA,EAAgB,CAAC,EAAE,YACrDC,CAEJ,CAEA,MAAO,EACT,CAEA,SAASC,EACPpB,EAC0B,CAC1B,GAAM,CAAE,SAAAqB,CAAS,EAAIrB,EAErB,GAAIqB,EACF,MAAO,CACL,SAAUA,EAAS,SACnB,KAAMA,EAAS,KACf,OAAQA,EAAS,OACjB,KAAMA,EAAS,UACjB,CAIJ,CAEA,SAASC,GAAgBL,EAAqC,CAC5D,IAAMM,EAAS,CAAC,EACV,CAACjB,EAAUC,CAAW,EAAIH,GAC9Ba,EAAc,0BAA0B,OACrCR,GACCA,EAAG,gBAAkBQ,EAAc,iBAEnCR,EAAG,aAAe,qBACtB,CACF,EAEA,GAAIH,EAAS,SAAWC,EAAY,OAClC,MAAM,IAAIT,EACR,2CACF,EAGF,QAAS0B,EAAI,EAAGA,EAAIlB,EAAS,OAAQkB,GAAK,EAAG,CAC3C,IAAMC,EAAUnB,EAASkB,CAAC,EACpBE,EAAanB,EAAYiB,CAAC,EAC1BG,EAA+B,CACnC,MAAO,OACP,OAAQ,OAAOD,EAAW,MAAM,EAChC,KAAMA,EAAW,WACjB,SAAUN,EAAgBM,CAAU,EACpC,WAAY,OAAOD,EAAQ,MAAM,EACjC,SAAUA,EAAQ,WAClB,aAAcL,EAAgBK,CAAO,CACvC,EAEAF,EAAO,KAAKI,CAAS,CACvB,CAEA,OAAOJ,CACT,CAEA,SAASK,GAAoBX,EAAqC,CAChE,IAAMM,EAAS,CAAC,EACV,CAACjB,EAAUC,CAAW,EAAIH,GAC9Ba,EAAc,yBAChB,EAEA,QAASO,EAAI,EAAGA,EAAIlB,EAAS,OAAQkB,GAAK,EAAG,CAC3C,IAAMC,EAAUnB,EAASkB,CAAC,EAIpBE,EAAanB,EAAY,OAC5BsB,GAAMA,EAAE,aAAeJ,EAAQ,UAClC,EAAE,CAAC,EAEH,GAAIC,IAAe,OACjB,MAAM,IAAI5B,EACR,oCACF,EAGF,GAAI4B,EAAW,gBAAkBT,EAAc,gBAAiB,CAC9D,IAAMa,EAA+B,CACnC,MAAO,OACP,OAAQ,OAAOL,EAAQ,MAAM,EAC7B,KAAMC,EAAW,WACjB,SAAUN,EAAgBM,CAAU,EACpC,SAAU3B,GAA0B0B,CAAO,CAC7C,EACAF,EAAO,KAAKO,CAAS,CACvB,SAAWL,EAAQ,gBAAkBR,EAAc,gBAAiB,CAClE,IAAMc,EAAqC,CACzC,MAAO,UACP,OAAQ,OAAON,EAAQ,MAAM,EAC7B,KAAMA,EAAQ,WACd,SAAUL,EAAgBK,CAAO,EACjC,OAAQ1B,GAA0B2B,CAAU,CAC9C,EACAH,EAAO,KAAKQ,CAAY,CAC1B,CAGF,CAEA,OAAOR,CACT,CAEA,SAASS,GAAwBf,EAAqC,CACpE,IAAMM,EAAwC,CAAC,EAE/C,OAAIP,GAAWC,CAAa,EAC1BM,EAAO,KAAK,GAAGD,GAAgBL,CAAa,CAAC,EAE7CM,EAAO,KAAK,GAAGK,GAAoBX,CAAa,CAAC,EAG5CM,CACT,CAEA,SAASU,GAAiBhB,EAAqC,CAC7D,IAAMM,EAAwC,CAAC,EAE/C,QAAWR,KAAiBE,EAAc,iBACpCF,EAAc,gBAAkB,8BAClCQ,EAAO,KAAK,CACV,MAAO,aACP,OAAQ,OAAOR,EAAc,YAAY,EACzC,WAAYA,EAAc,gBAC1B,OAAQZ,EAA+BY,CAAa,EACpD,KAAMA,EAAc,KACpB,IAAKA,EAAc,oBAAoB,YACzC,CAA4B,EAIhC,OAAOQ,CACT,CAEA,SAASW,GAA6BjB,EAAqC,CACzE,IAAMM,EAAwC,CAAC,EAE/C,QAAWR,KAAiBE,EAAc,iBAEtCF,EAAc,gBAAkB,wCAE5BA,EAAc,aAAeE,EAAc,gBAC7CM,EAAO,KAAK,CACV,MAAO,gBACP,WAAYR,EAAc,gBAC1B,KAAMA,EAAc,KACpB,OAAQZ,EAA+BY,CAAa,EACpD,IAAKA,EAAc,oBAAoB,YACzC,CAA+B,EACtBA,EAAc,eAAiBE,EAAc,iBACtDM,EAAO,KAAK,CACV,MAAO,aACP,WAAYR,EAAc,gBAC1B,KAAMA,EAAc,KACpB,SAAUb,EAA4Ba,CAAa,EACnD,IAAKA,EAAc,oBAAoB,YACzC,CAA4B,EAG9BA,EAAc,gBAAkB,0CAE5BA,EAAc,aAAeE,EAAc,gBAC7CM,EAAO,KAAK,CACV,MAAO,sBACP,WAAYR,EAAc,gBAC1B,KAAMA,EAAc,KACpB,OAAQZ,EAA+BY,CAAa,EACpD,IAAKA,EAAc,oBAAoB,YACzC,CAAoC,EAC3BA,EAAc,eAAiBE,EAAc,iBACtDM,EAAO,KAAK,CACV,MAAO,mBACP,WAAYR,EAAc,gBAC1B,KAAMA,EAAc,KACpB,SAAUb,EAA4Ba,CAAa,EACnD,IAAKA,EAAc,oBAAoB,YACzC,CAAiC,GAKvC,OAAOQ,CACT,CAEA,SAASY,GAAqBlB,EAAqC,CACjE,IAAMM,EAAS,CAAC,EACV,CAACjB,EAAUC,CAAW,EAAIM,GAC9BI,EAAc,gBAChB,EAGA,GAAIX,EAAS,SAAWC,EAAY,OAAQ,CAC1C,QAAWkB,KAAWnB,EAChBmB,EAAQ,wBAA0BR,EAAc,iBAClDM,EAAO,KAAK,CACV,MAAO,gBACP,WAAYE,EAAQ,gBACpB,KAAMA,EAAQ,KACd,OAAQ,KACR,IAAKA,EAAQ,oBAAoB,YACnC,CAA+B,EAInC,GAAIF,EAAO,OACT,OAAOA,EAGT,MAAM,IAAIzB,EACR,8CACF,CACF,CAGA,QAAS0B,EAAI,EAAGA,EAAIlB,EAAS,OAAQkB,GAAK,EAAG,CAC3C,IAAMC,EAAUnB,EAASkB,CAAC,EACpBE,EAAanB,EAAYiB,CAAC,EAEhC,GAAIC,EAAQ,qBAAuBC,EAAW,mBAC5C,MAAM,IAAI5B,EAA+B,2BAA2B,EAGlE2B,EAAQ,wBAA0BR,EAAc,gBAClDM,EAAO,KAAK,CACV,MAAO,gBACP,WAAYE,EAAQ,gBACpB,KAAMA,EAAQ,KACd,OAAQtB,EAA+BuB,CAAU,EACjD,IAAKD,EAAQ,oBAAoB,YACnC,CAA+B,EAE/BC,EAAW,wBAA0BT,EAAc,iBAEnDM,EAAO,KAAK,CACV,MAAO,aACP,WAAYG,EAAW,gBACvB,KAAMA,EAAW,KACjB,SAAUxB,EAA4BuB,CAAO,EAC7C,IAAKC,EAAW,oBAAoB,YACtC,CAA4B,CAIhC,CAEA,OAAOH,CACT,CAEA,SAASa,GAAyBnB,EAAqC,CACrE,IAAMM,EAAwC,CAAC,EAE/C,OACEN,EAAc,iBAAiB,KAC5BoB,GACCA,EAAG,gBAAkB,yCACrBA,EAAG,gBAAkB,uCACzB,EAEAd,EAAO,KAAK,GAAGW,GAA6BjB,CAAa,CAAC,EAE1DA,EAAc,iBAAiB,KAC5BoB,GAAOA,EAAG,gBAAkB,4BAC/B,EAEAd,EAAO,KAAK,GAAGU,GAAiBhB,CAAa,CAAC,EAE9CM,EAAO,KAAK,GAAGY,GAAqBlB,CAAa,CAAC,EAG7CM,CACT,CAEA,SAASe,GAAyBrB,EAAqC,CACrE,IAAMM,EAAwC,CAAC,EAIzCgB,EAA6C,CAAC,EAEpD,OAAAtB,EAAc,6BAA6B,QAASoB,GAAO,CACzD,IAAMG,EAAOH,EAAG,WAEZI,EACJ,OAAQD,EAAM,CACZ,IAAK,sCACHC,EAAY,YACZ,MACF,IAAK,yCACHA,EAAY,UACZ,MACF,IAAK,2CACHA,EAAY,iBACZ,MACF,QACE,MACJ,CAIA,GAAIA,IAAc,iBAAkB,CAClCF,EAAeF,EAAG,YAAY,GAC3BE,EAAeF,EAAG,YAAY,GAAK,GAAK,OAAOA,EAAG,MAAM,EAC3D,MACF,CAEA,IAAMK,EAAwB,CAC5B,MAAOD,EACP,OAAQ,OAAOJ,EAAG,MAAM,EAAE,SAAS,EACnC,KAAMA,EAAG,YACX,EACAd,EAAO,KAAKmB,CAAK,CACnB,CAAC,EAED,OAAO,KAAKH,CAAc,EAAE,QAASI,GAAgB,CACnD,IAAMD,EAAwB,CAC5B,MAAO,iBACP,OAAQH,EAAeI,CAAW,EAAE,SAAS,EAC7C,KAAMA,CACR,EACApB,EAAO,KAAKmB,CAAK,CACnB,CAAC,EAEMnB,CACT,CAEO,SAASqB,GACd3B,EACiB,CACjB,IAAM4B,EAAW5B,EAAc,0BAA0B,KACtD6B,GAASA,EAAK,OAAS,8BAC1B,EAEA,GAAID,IAAa,OACf,MAAM,IAAIhD,EAAiB,0BAA0B,EAGvD,IAAMQ,EAAiB2B,GAAwBf,CAAa,EACtDH,EAAkBsB,GAAyBnB,CAAa,EACxD8B,EAAkBT,GAAyBrB,CAAa,EAIxDM,EAAS,CAEb,GAJyBwB,EAAgB,OAAS,EAIzB,CAAC,EAAI1C,EAC9B,GAAG0C,EACH,GAAGjC,CACL,EAGES,EAAO,SAAW,GAClBsB,GAAU,gBAAkB5B,EAAc,iBAG1CM,EAAO,KAAK,CACV,MAAO,KACT,CAAsB,EAGxB,IAAMyB,EAAuB,CAC3B,QAAS/B,EAAc,gBACvB,WAAY,EACZ,IAAK,OAAO4B,GAAU,QAAU,CAAC,EACjC,QAAS,CAAC,CAACA,GAAU,uBACrB,UAAW,IAAI,KACbA,EACII,EAAmBJ,GAAU,qBAAqB,EAClDK,EAAc,CACpB,EACA,QAAS,OAAOL,GAAU,qBAAuB,CAAC,CACpD,EAEA,QAASrB,EAAI,EAAGA,EAAID,EAAO,OAAQC,GAAK,EACtCwB,EAAU,WAAaxB,EACvB,OAAO,OAAOD,EAAOC,CAAC,EAAGwB,CAAS,EAGpC,OAAOzB,CACT,CCpiBA,IAAM4B,GAAS,MAQR,SAASC,GAAYC,EAA+B,CACzD,IAAMC,EAA0B,CAAC,EAE3BC,EAAaC,GAAc,EACjCD,EAAW,SAAS,EAAG,EAAG,EAAG,CAAC,EAC9BD,EAAO,KAAK,CACV,OAAQ,CAAC,EACT,KAAM,QACN,MAAOC,CACT,CAAC,EACDD,EAAO,KAAK,CACV,OAAQ,CAAC,EACT,KAAM,YACN,MAAO,IAAI,KAAKC,EAAW,QAAQ,EAAIJ,EAAM,CAC/C,CAAC,EAED,IAAMM,EAAc,IAAI,KACtBF,EAAW,QAAQ,EAAIA,EAAW,OAAO,EAAIJ,EAC/C,EACAG,EAAO,KAAK,CACV,OAAQ,CAAC,EACT,KAAM,WACN,MAAOG,CACT,CAAC,EAED,IAAMC,EAA0B,CAAC,GAAGJ,CAAM,EACtCK,EAAQL,EAAO,MAAM,EACzB,QAAWM,KAASP,EAAQ,CAC1B,KAAOM,GAASC,EAAM,UAAYD,EAAM,OACtCA,EAAQL,EAAO,MAAM,EAGvB,GAAIK,GAAS,KAAM,CACjB,IAAME,EAAe,IAAI,KAAKD,EAAM,UAAU,QAAQ,CAAC,EACvDC,EAAa,SAAS,EAAG,EAAG,EAAG,CAAC,EAChCA,EAAa,QAAQ,CAAC,EACtBF,EAAQ,CACN,OAAQ,CAAC,EACT,KAAM,QACN,MAAOE,CACT,EACAH,EAAO,KAAKC,CAAK,CACnB,CAEAA,EAAM,OAAO,KAAKC,CAAK,CACzB,CAEA,OAAOF,CACT,CAEO,SAASI,GACdC,EACAC,EACAC,EACA,CACA,IAAMZ,EAASU,GAAO,QAASG,GAASA,EAAK,MAAM,GAAK,CAAC,EAGzD,OAFuBd,GAAYC,CAAM,EAGtC,IAAKc,IAAmB,CACvB,KAAMA,EAAc,OACpB,MAAOH,EAAcG,EAAeF,CAAI,CAC1C,EAAE,EACD,OAAQG,GAAYA,EAAQ,KAAK,OAAS,CAAC,CAChD,CC5EO,SAASC,GACdC,EACA,CACA,IAAMC,EAAuD,CAAC,EAC9D,MAAO,OAAOC,GAAkB,CAC9B,GAAIA,KAASD,EACX,OAAOA,EAAgBC,CAAK,EAE9B,IAAMC,EAAiBH,EAAME,CAAK,EAClCD,EAAgBC,CAAK,EAAIC,EACzB,IAAMC,EAAS,MAAMD,EACrB,cAAOF,EAAgBC,CAAK,EACrBE,CACT,CACF,CCdO,IAAMC,GAAmBC,GAA4B,CAC1D,IAAMC,EAAaD,EAAU,EAAE,IAAM,IAAM,GAAGA,CAAS,IAAMA,EAC7D,OAAO,IAAI,KAAKC,CAAU,CAC5B,ECDO,IAAMC,GAA4B,CACvC,WAAY,GACZ,eAAgB,OAChB,qBAAsB,GACtB,QAAS,GACT,YAAa,GACb,OAAQ,GACR,aAAc,GACd,YAAa,GACb,YAAa,GACb,KAAM,GACN,cAAe,IACjB,ECdA,OAAS,UAAAC,OAAc,uBCAhB,IAAMC,GAAoB,YACpBC,GAAmB,WACnBC,EAAwB,qBACxBC,GAAmD,WACnDC,EAAuC,iBACvCC,GACX,GAAGH,CAAqB,KAAKE,CAAoC,GACtDE,GAAgB,YAChBC,GAAyBC,GACpC,uBAAuBA,CAAQ,IACpBC,EAAqB,6BACrBC,EACX,GAAGJ,EAAa,KAAKN,EAAiB,GAC3BW,GACX,GAAGL,EAAa,KAAKL,EAAgB,GAC1BW,GACX,GAAGD,EAAiB,IAAIF,CAAkB,IAC/BI,GACX,GAAGH,CAAkB,IAAID,CAAkB,IAChCK,GAAgC,8BAChCC,GAA2C,WAC3CC,GAAiC,gCAEjCC,EAAiB,aACjBC,GAAsB,GAAGD,CAAc,eACvCE,GAAwB,GAAGF,CAAc,iBACzCG,GACX,GAAGH,CAAc,kBAENI,GAAiB,aACjBC,GAA0B,GAAGD,EAAc,cAC3CE,GACX,GAAGF,EAAc,iBAENG,GACX,uCCnCK,IAAMC,EAAuB,iCACvBC,GAAsB,gCACtBC,GAAgB,oCAChBC,EAAqB,iCCH3B,IAAMC,GAAkB,CAAC,MAAO,MAAO,OAAQ,MAAO,MAAM,EACtDC,EAAe,UCDrB,IAAKC,OACVA,EAAA,OAAS,SACTA,EAAA,UAAY,YACZA,EAAA,QAAU,UACVA,EAAA,QAAU,UAJAA,OAAA,ICGL,IAAMC,GAAkB,OAAO,OAAO,CAC1C,QAA0B,CACzB,WAAY,GACZ,QAAS,IACT,UAAW,OACX,WAAY,mDACZ,eACA,QAAS,wCACX,EACC,QAA0B,CACzB,QAAS,IACT,UAAW,uCACX,WAAY,8DACZ,eACA,QAAS,wCACX,EACC,OAAyB,CACxB,QAAS,KACT,UAAW,sCACX,WAAY,6DACZ,cACA,QAAS,uCACX,CACF,CAAU,EAEGC,GAAkD,CAC5D,QAA0B,UAC1B,OAAyB,SACzB,QAA0B,UAC1B,UAA4B,OAC/B,ECjCO,IAAMC,GAAkB,OAAO,qBAAqB,ECApD,IAAKC,QACVA,IAAA,MAAQ,KAAR,QACAA,IAAA,KAAO,KAAP,OAFUA,QAAA,IAKAC,QACVA,IAAA,SAAW,KAAX,WACAA,IAAA,KAAO,KAAP,OAFUA,QAAA,ICAZ,IAAMC,GAAgC,CACpC,CACE,aAAc,QACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,mFACF,KAAM,aACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,yBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBAAiB,MACjB,YAAa,aACb,YAAa,YACb,KAAM,4BACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,kFACF,KAAM,SACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,qBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,WACb,YAAa,UACb,KAAM,uFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,MACd,SACE,kFACF,KAAM,cACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,WACb,YAAa,MACb,KAAM,mFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,QACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,MACd,SACE,kFACF,KAAM,cACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,oEACF,YAAa,WACb,YAAa,MACb,KAAM,kFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,YACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,QACd,SACE,oFACF,KAAM,QACN,gBAAiB,QACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,qBACb,OAAQ,QACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,cACb,YAAa,QACb,KAAM,wFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,OACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,YACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,qBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,QACd,SACE,+FACF,KAAM,qBACN,gBAAiB,QACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,+BACb,OAAQ,QACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,cACb,YAAa,cACb,KAAM,8FACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,uBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,kFACF,KAAM,uBACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,+BACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,sBACb,YAAa,oBACb,KAAM,4GACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,SACd,SACE,qFACF,KAAM,SACN,gBAAiB,SACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,qBACb,OAAQ,SACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,SACb,YAAa,SACb,KAAM,oFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,QACd,SACE,oFACF,KAAM,gBACN,gBAAiB,QACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,QACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,QACb,KAAM,iFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,OACd,SACE,mFACF,KAAM,WACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,mBACb,OAAQ,OACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,OACb,KAAM,gFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,oBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,OACd,SACE,2GACF,KAAM,oBACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,+BACb,OAAQ,OACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,MACb,YAAa,UACb,KAAM,kFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,eACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,kFACF,KAAM,gBACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,gCACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,MACb,KAAM,+EACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,kFACF,KAAM,iBACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,YACb,YAAa,MACb,KAAM,oFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,OACd,SACE,mFACF,KAAM,YACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,+BACb,OAAQ,OACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,YACb,YAAa,WACb,KAAM,yFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,eACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,OACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,uBACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,OACd,SACE,mFACF,KAAM,WACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,OACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,YACb,YAAa,WACb,KAAM,yFACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,qBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,MACd,SACE,+FACF,KAAM,oBACN,gBAAiB,MACjB,eAAgB,MAChB,qBAAsB,GACtB,YAAa,yBACb,OAAQ,MACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,mBACb,KAAM,0GACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,uBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,QAAQ,CAAC,CAC7B,EACA,aAAc,OACd,SACE,iGACF,KAAM,uBACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,2BACb,OAAQ,OACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,oBACb,YAAa,kBACb,KAAM,wGACR,EACA,aAAc,GAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,sBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,wBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,kBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,yBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,OACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,2BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,MACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,OACd,SACE,mFACF,KAAM,4BACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,MACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,oFACF,KAAM,wBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,mFACF,KAAM,yBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,iBAAiB,CAAC,CACtC,EACA,aAAc,OACd,SACE,mFACF,KAAM,iBACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,MACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,cAAc,CAAC,CACnC,EACA,aAAc,SACd,SACE,mFACF,KAAM,aACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,SACR,OAAQ,eACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,iBAAiB,CAAC,CACtC,EACA,aAAc,SACd,SACE,mFACF,KAAM,6BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,SACR,OAAQ,kBACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,kBAAkB,CAAC,CACvC,EACA,aAAc,SACd,SACE,mFACF,KAAM,8BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,SACR,OAAQ,mBACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,cAAc,CAAC,CACnC,EACA,aAAc,SACd,SACE,mFACF,KAAM,2BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,SACR,OAAQ,eACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,oBAAoB,CAAC,CACzC,EACA,aAAc,SACd,SACE,mFACF,KAAM,gCACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,SACR,OAAQ,qBACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,SACd,SACE,oFACF,KAAM,0BACN,gBAAiB,QACjB,eAAgB,UAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,YACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,SACd,SACE,qFACF,KAAM,QACN,gBAAiB,QACjB,eAAgB,UAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,OACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,oFACF,KAAM,kBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,QACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,oFACF,KAAM,aACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,QACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,SACd,SACE,qFACF,KAAM,wBACN,gBAAiB,QACjB,eAAgB,UAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,OACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,QACd,SACE,oFACF,KAAM,kBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,OACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,YACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,OACd,SACE,wFACF,KAAM,YACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,MACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,UACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,UAAU,CAAC,CAC/B,EACA,aAAc,OACd,SACE,mFACF,KAAM,QACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,MACR,OAAQ,WACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,IACb,KAAM,6EACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,WAAW,CAAC,CAChC,EACA,aAAc,QACd,SACE,mFACF,KAAM,uBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,YACR,WAAY,CACV,gBACE,qEACF,YAAa,QACb,YAAa,OACb,KAAM,iFACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,WAAW,CAAC,CAChC,EACA,aAAc,QACd,SACE,mFACF,KAAM,yBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,YACR,WAAY,CACV,gBACE,qEACF,YAAa,QACb,YAAa,OACb,KAAM,iFACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,OACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,WAAW,CAAC,CAChC,EACA,aAAc,QACd,SACE,mFACF,KAAM,4BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,GACb,OAAQ,QACR,OAAQ,YACR,WAAY,CACV,gBACE,qEACF,YAAa,QACb,YAAa,OACb,KAAM,iFACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,SACd,SACE,mFACF,KAAM,mBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,SACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,WACb,KAAM,kGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,SACd,SACE,mFACF,KAAM,qBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,SACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,WACb,KAAM,kGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,kBACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,SACd,SACE,mFACF,KAAM,sBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,SACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,WACb,KAAM,kGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,SACd,SACE,mFACF,KAAM,wBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,SACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,WACb,KAAM,kGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,MACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,QACd,SACE,kFACF,KAAM,yBACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,QACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,UACb,KAAM,iGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,QACd,SACE,kFACF,KAAM,uBACN,gBAAiB,MACjB,eAAgB,QAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,QACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,UACb,KAAM,iGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,cACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,OAAO,CAAC,CAC5B,EACA,aAAc,SACd,SACE,mFACF,KAAM,sBACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,wBACb,OAAQ,SACR,OAAQ,QACR,WAAY,CACV,gBACE,qEACF,YAAa,qBACb,YAAa,WACb,KAAM,kGACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CAAC,SAAU,YAAY,CAAC,CACjC,EACA,aAAc,YACd,SACE,mFACF,KAAM,wBACN,gBAAiB,OACjB,eAAgB,YAChB,qBAAsB,GACtB,YAAa,0BACb,OAAQ,YACR,OAAQ,aACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,OACb,KAAM,gFACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,aAAc,OACd,SACE,mFACF,KAAM,OACN,gBAAiB,OACjB,eAAgB,OAChB,qBAAsB,GACtB,YAAa,wCACb,OAAQ,OACR,OAAQ,aACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,OACb,KAAM,gFACR,EACA,aAAc,IAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CACJ,CAAC,KAAM,OAAO,EACd,CAAC,SAAU,QAAQ,CACrB,CACF,EACA,aAAc,SACd,SACE,qFACF,KAAM,4BACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,SACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,UACb,YAAa,iCACb,KAAM,6GACR,EACA,aAAc,KAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CACJ,CAAC,KAAM,OAAO,EACd,CAAC,SAAU,QAAQ,CACrB,CACF,EACA,aAAc,SACd,SACE,qFACF,KAAM,mCACN,gBAAiB,OACjB,eAAgB,SAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,SACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,UACb,YACE,kFACF,KAAM,8JACR,EACA,aAAc,KAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CACJ,CAAC,KAAM,OAAO,EACd,CAAC,SAAU,QAAQ,CACrB,CACF,EACA,aAAc,WACd,SACE,sFACF,KAAM,kCACN,gBAAiB,QACjB,eAAgB,WAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,WACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,UACb,YACE,sFACF,KAAM,kKACR,EACA,aAAc,KAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CACJ,CAAC,KAAM,OAAO,EACd,CAAC,SAAU,QAAQ,CACrB,CACF,EACA,aAAc,UACd,SACE,sFACF,KAAM,iCACN,gBAAiB,QACjB,eAAgB,UAChB,qBAAsB,GACtB,YAAa,4BACb,OAAQ,UACR,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,UACb,YACE,kFACF,KAAM,8JACR,EACA,aAAc,KAChB,CACF,EAEOC,EAAQD,GCz4CR,IAAME,GAAgC,CAC3C,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,mFACF,KAAM,OACN,gBAAiB,OACjB,YAAa,wCACb,OAAQ,OACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,OACb,KAAM,gFACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,GACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,mFACF,KAAM,WACN,gBAAiB,OACjB,YAAa,mBACb,OAAQ,OACR,WAAY,CACV,gBACE,qEACF,YAAa,OACb,YAAa,OACb,KAAM,gFACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,QACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,mFACF,KAAM,aACN,gBAAiB,MACjB,YAAa,yBACb,OAAQ,MACR,WAAY,CACV,gBAAiB,MACjB,YAAa,aACb,YAAa,YACb,KAAM,4BACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,UACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,mFACF,KAAM,UACN,gBAAiB,SACjB,YAAa,cACb,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,eACb,YAAa,YACb,KAAM,6FACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,WACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,oFACF,KAAM,WACN,gBAAiB,UACjB,YAAa,cACb,OAAQ,UACR,WAAY,CACV,gBACE,qEACF,YAAa,eACb,YAAa,aACb,KAAM,8FACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,SACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,oFACF,KAAM,SACN,gBAAiB,UACjB,YAAa,cACb,OAAQ,UACR,WAAY,CACV,gBACE,qEACF,YAAa,eACb,YAAa,aACb,KAAM,8FACR,EACA,aAAc,CAChB,EACA,CACE,aAAc,MACd,SAAU,EACV,WAAY,CACV,KAAM,CAAC,CACT,EACA,SACE,mFACF,KAAM,MACN,gBAAiB,SACjB,YAAa,cACb,OAAQ,SACR,WAAY,CACV,gBACE,qEACF,YAAa,eACb,YAAa,YACb,KAAM,6FACR,EACA,aAAc,CAChB,CACF,EAEOC,EAAQD,GTjJf,IAAME,GAAyB,4CACzBC,GACJ,sEACIC,GAAqB,0CAE3B,SAASC,GAAOC,EAAa,CAC3B,OAAOA,EAAI,WAAWC,CAAY,CACpC,CAEO,SAASC,GAAWF,EAAa,CACtC,IAAMG,EAAMH,EAAI,MAAM,MAAM,EAAE,CAAC,EAAE,MAAM,GAAG,EAAE,IAAI,GAAG,KAAK,EACxD,OAAOG,IAAQ,QAAaC,GAAgB,SAASD,CAAG,CAC1D,CAEO,SAASE,GAAgBL,EAAa,CAC3C,OAAOA,EAAI,MAAMF,EAAkB,IAAM,IAC3C,CAEO,SAASQ,EAAQN,EAAa,CAEnC,OAAID,GAAOC,CAAG,EAAUA,EAAI,QAAQC,EAAcM,EAAa,EACxDP,CACT,CAEO,SAASQ,GAAeR,EAAa,CAC1C,IAAMS,EACJT,EAAI,MAAMJ,EAAsB,GAChCI,EAAI,MAAMH,EAA6B,EACzC,OAAOY,EAAQ,GAAGC,CAAoB,gBAAgBD,EAAM,CAAC,CAAC,GAAKT,CACrE,CAEO,IAAMW,GAAiB,CAAC,CAC7B,WAAAC,EACA,QAAAC,EACA,KAAAC,CACF,IACE,GAAGD,CAAO,KAAKD,CAAU,KAAKE,CAAI,GAEpC,eAAsBC,GAAmBC,EAAqC,CAC5E,IAAMC,EAAe,IAAI,YAAY,EAAE,OAAON,GAAeK,CAAW,CAAC,EACnEE,EAAa,OAAO,OACtB,MAAM,OAAO,OAAO,OAAO,UAAWD,CAAY,EAClDE,GAAO,OAAO,EAAE,OAAOF,CAAY,EAAE,OAAO,EAEhD,OADkB,MAAM,KAAK,IAAI,WAAWC,CAAU,CAAC,EACtC,IAAKE,GAAMA,EAAE,SAAS,EAAE,EAAE,SAAS,EAAG,GAAG,CAAC,EAAE,KAAK,EAAE,CACtE,CUpCO,IAAMC,GACXC,GACkB,CAClB,IAAMC,EAAaD,EAAS,oBAAoB,mBAChD,MAAO,CACL,eAAgBA,EAAS,sBACzB,iBAAkBC,GAAY,cAC9B,eAAgBA,GAAY,gBAC5B,eAAgBA,GAAY,gBAC5B,YAAaD,EAAS,aACtB,KAAMA,EAAS,oBAAoB,WACnC,gBAAiBA,EAAS,oBAC1B,UAAWA,EAAS,WACpB,YAAaA,EAAS,aACtB,QAASA,EAAS,cAClB,qBAAsBA,EAAS,sBAC/B,mBAAoBA,EAAS,oBAC7B,aAAcA,EAAS,IACzB,CACF,EAIaE,EACXC,IACoB,CACpB,qBAAsBA,EAAe,cACrC,eAAgBA,EAAe,gBAC/B,eAAgBA,EAAe,gBAC/B,YAAaA,EAAe,YAC5B,OAAQA,EAAe,cACvB,YAAaA,EAAe,IAC5B,KAAMA,EAAe,gBACrB,OAAQA,EAAe,UACzB,GAIaC,GACXC,GACc,CACd,IAAMC,EAAWC,GAAeF,EAAU,SAAS,EACnD,MAAO,CACL,WAAYA,EAAU,oBAAoB,iBAAmB,GAC7D,eAAgBA,EAAU,mBACtBH,EAAoBG,EAAU,kBAAkB,EAChD,OACJ,qBAAsBA,EAAU,oBAAoB,eAAiB,GACrE,QAASA,EAAU,oBAAoB,iBAAmB,GAC1D,YAAaA,EAAU,YACvB,OAAQA,EAAU,cAClB,aAAc,GACd,YAAa,GACb,YAAaC,EACb,KAAMD,EAAU,WAChB,cAAeA,EAAU,cAC3B,CACF,EAYaG,GAAyB,CAAC,CACrC,OAAAC,EACA,eAAAC,EACA,gBAAAC,EACA,UAAAN,EACA,gBAAAO,CACF,KAAsD,CACpD,GAAIP,EAAYD,GAAeC,CAAS,EAAIQ,GAC5C,OAAAJ,EACA,eAAAC,EACA,gBAAAC,EACA,gBAAAC,CACF,GAIaE,GAAiBC,IAAoC,CAChE,KAAMA,EAAM,KACZ,KAAM,CACJ,QAASA,EAAM,KAAK,gBACpB,eAAgB,OAAOA,EAAM,KAAK,eAAe,CACnD,EACA,eAAgB,OAAOA,EAAM,eAAe,EAC5C,KAAMA,EAAM,KACZ,QAAS,OAAOA,EAAM,OAAO,CAC/B,GC5GA,IAAMC,GAAuB,IAAI,OAAO,IAAIC,CAAkB,SAAS,EAKhE,SAASC,GAAwBC,EAAuB,CAC7D,IAAMC,EAAoD,CAAC,EAC3D,QAAWC,KAAYF,EAAW,CAChC,IAAMG,EAAQD,EAAS,KAAK,MAAML,EAAoB,EACtD,GAAIM,IAAU,KAAM,CAClB,IAAMC,EAAWD,EAAM,CAAC,EACxBF,EAAWG,CAAQ,EAAIF,EAAS,IAClC,CACF,CACA,OAAOD,CACT,CClBA,OAAS,OAAAI,GAAK,mBAAAC,MAA4C,QAcnD,SAASC,GAAiC,CAC/C,OAAAC,EACA,UAAAC,CACF,EAAsF,CACpF,IAAMC,EAAc,CAClBC,GAAI,WAAWC,EAAgB,eAAe,QAAQH,CAAS,CAAC,EAChEE,GAAI,mBAAmB,OAAOH,CAAM,CAAC,CACvC,EAEMK,EAAgBD,EAAgB,cAAc,QAClDE,EACAC,GACA,CAAC,EACDL,CACF,EACA,OAAO,IAAIE,EAAgB,gCAAgCC,CAAa,CAC1E,CC9BA,OAAS,OAAAG,GAAK,aAAAC,GAAW,mBAAAC,MAA4C,QAa9D,SAASC,GAAkC,CAChD,OAAAC,EACA,SAAAC,EACA,UAAAC,CACF,EAAsF,CACpF,IAAMC,EAAW,CACf,IAAIC,EAAgB,cAClBA,EAAgB,UAAU,WAAWC,EAA8B,CACrE,CACF,EAEMC,EAAc,CAClB,IAAIC,GAAUN,CAAQ,EAAE,aAAa,EACrCO,GAAI,WAAWJ,EAAgB,eAAe,QAAQF,CAAS,CAAC,EAChEM,GAAI,mBAAmB,OAAOR,CAAM,CAAC,CACvC,EAEMS,EAAgBL,EAAgB,cAAc,QAClDM,GACAC,GACAR,EACAG,CACF,EAEA,OAAO,IAAIF,EAAgB,gCAAgCK,CAAa,CAC1E,CCtCA,OAAS,OAAAG,GAAK,mBAAAC,MAA4C,QAgBnD,SAASC,GAAgC,CAC9C,OAAAC,EACA,UAAAC,EACA,UAAAC,EAAYC,CACd,EAAoF,CAClF,IAAMC,EAAW,CACf,IAAIC,EAAgB,cAClBA,EAAgB,UAAU,WAAWH,CAAS,CAChD,CACF,EAEMI,EAAc,CAClBC,GAAI,WAAWF,EAAgB,eAAe,QAAQJ,CAAS,CAAC,EAChEM,GAAI,mBAAmB,OAAOP,CAAM,CAAC,CACvC,EAEMQ,EAAgBH,EAAgB,cAAc,QAClDI,EACAC,EACAN,EACAE,CACF,EAEA,OAAO,IAAID,EAAgB,gCAAgCG,CAAa,CAC1E,CC5BO,SAASG,GAAyB,CACvC,OAAAC,EACA,SAAAC,EACA,mBAAAC,EACA,UAAAC,CACF,EAA6E,CAE3E,OAAKF,EAAS,SAAS,IAAI,EASvBC,EACKE,GAAgC,CACrC,OAAAJ,EACA,UAAAG,EACA,UAAWF,CACb,CAAC,EAIII,GAAiC,CACtC,OAAAL,EACA,UAAAG,CACF,CAAC,EApBQG,GAAkC,CACvC,OAAAN,EACA,SAAAC,EACA,UAAAE,CACF,CAAC,CAiBL,C/B5BA,eAAsBI,GAEpB,CAAE,OAAAC,CAAO,EACmC,CAC5C,IAAMC,EAAO,KACP,CAAE,YAAAC,CAAY,EAAI,KAAK,WAAW,EAElCC,EAAYC,GAAU,OAAOH,EAAK,QAAQ,SAAS,EAAE,aAAa,EAElEI,EAAmB,IAAIC,GAC3BC,GACAJ,CACF,EAEMK,EAAiB,OAAOR,GAAW,WAAa,MAAMA,EAAO,EAAIA,EAEjES,EAAYJ,EAAiB,KAAKG,CAAc,EACtD,GAAI,CACF,IAAME,EAAkB,CAEtB,qBAAsBF,EAAe,iBAAmB,GACxD,qBAAsBA,EAAe,iBAAmB,GACxD,gCAAiC,EACnC,EAEM,CAACG,CAAG,EAAI,MAAMT,EAAY,oBAC9BO,EACAC,CACF,EAEME,EAAU,CACd,GAAGD,EACH,KAAM,kBACR,EAEA,OAAAE,GAAgBD,CAAO,EAChBA,CACT,OAASE,EAAK,CACZ,MAAAC,GAAeD,CAAG,EACZA,CACR,CACF,CgCvDA,OAAS,OAAAE,OAAmC,QAiB5C,eAAsBC,GAEpB,CAAE,UAAAC,CAAU,EACsB,CAClC,GAAM,CAAE,YAAAC,CAAY,EAAI,KAAK,WAAW,EAElCC,EAAmBJ,GAAI,WAAWE,CAAS,EACjD,OAAOC,EAAY,2BAA2BC,CAAgB,CAChE,CCjBA,eAAsBC,GAEpB,CAAE,QAAAC,EAAS,OAAAC,CAAO,EACC,CACnB,GAAM,CAAE,QAAAC,EAAS,aAAAC,CAAa,EAAI,KAAK,WAAW,EAElD,GAAI,CAACA,EAAc,MAAM,IAAI,MAAM,yBAAyB,EAE5D,OAAOA,EAAa,YAAYH,GAAWE,EAAQ,QAASD,CAAM,CACpE,CCIA,eAAsBG,GAEpB,CACE,QAAAC,EACA,gCAAAC,EAAkC,CAAC,EACnC,uBAAAC,EAAyB,CAAC,EAC1B,MAAAC,EAAQ,CAAC,EACT,MAAAC,EAAQ,GACR,wBAAAC,EAA0BC,EAC5B,EAC8C,CAC9C,GAAM,CAAE,QAAAC,EAAS,cAAAC,CAAc,EAAI,KAAK,WAAW,EAW7CC,GATW,MAAMD,GAAe,0BAA0B,CAC9D,QAASR,GAAWO,EAAQ,QAC5B,gCAAAN,EACA,MAAAG,EACA,wBAAyBC,EAAwB,SAAS,EAC1D,uBAAAH,EACA,MAAAC,CACF,CAAC,IAE+B,sBAAwB,CAAC,EAiBzD,MAAO,CACL,OAjBaM,EAAc,OAAO,CAACC,EAAKC,IAAM,CAC9C,GAAI,CAEFD,EAAI,KACF,GAAGE,GAAuB,CACxB,gBAAiBZ,GAAWO,EAAQ,QACpC,GAAGI,CACL,CAAC,CACH,CACF,OAASE,EAAG,CAEV,QAAQ,MAAM,+BAAgCF,EAAGE,CAAC,CACpD,CACA,OAAOH,CACT,EAAG,CAAC,CAAoB,EAItB,WAAYD,EAAc,GAAG,EAAE,GAAG,mBACpC,CACF,CChEA,OAAOK,OAAW,QAelB,eAAsBC,GAEpB,CAAE,KAAAC,EAAM,QAAAC,CAAQ,EACa,CAC7B,GAAI,CACF,IAAMC,EAAcD,GAAW,KAAK,QAAQ,KACtCE,EAAY,OAAOH,GAAS,SAAW,IAAII,EAAUJ,CAAI,EAAIA,EAC7DK,EAAW,MAAMC,GAAM,IAC3B,GAAGC,CAAoB,IAAIL,EAAY,YAAY,CAAC,eAAeC,EAAU,SAAS,CAAC,EACzF,EACA,OAAOE,EAAS,MAAM,QAAUA,EAAS,KAAK,QAAU,MAC1D,MAAgB,CACd,MACF,CACF,CAYA,eAAsBG,GAEpB,CAAE,QAAAC,EAAS,QAAAR,CAAQ,EACa,CAChC,GAAI,CACF,IAAMC,EAAcD,GAAW,KAAK,QAAQ,KACtCI,EAAW,MAAMC,GAAM,IAC3B,GAAGC,CAAoB,IAAIL,EAAY,YAAY,CAAC,YAAYO,CAAO,EACzE,EACA,OAAOJ,EAAS,MAAM,KAAO,IAAID,EAAUC,EAAS,KAAK,IAAI,EAAI,MACnE,MAAgB,CACd,MACF,CACF,CClDA,IAAMK,GAAmB,CAACC,EAA0BC,IAA2B,CAC7E,IAAMC,EAAaD,EAEnB,GAAIA,EAAS,SAAW,QAAUA,EAAS,SAAW,UAAW,CAE/D,IAAME,EADQH,EAAO,YAAY,EACF,aAAaC,EAAS,IAAgB,EACrE,GAAI,CAACE,EAAkB,OAAOF,EAC9BC,EAAW,KAAOC,EAAiB,KACnCD,EAAW,OAASC,EAAiB,MACvC,CAEA,OAAOD,CACT,EASA,eAAsBE,GAEpB,CAAE,SAAAC,CAAS,EACwB,CACnC,IAAMC,EAAcD,EAAS,MAAM,IAAI,EAAE,CAAC,EACpCE,EAAuBC,GAAsBH,CAAQ,EACrDI,EAAoB,MAAM,KAAK,kBAAkB,CACrD,QAASH,EACT,KAAMC,CACR,CAAC,EAED,GAAI,CAACE,EAAkB,OAEvB,IAAMR,EAAWQ,EAAiB,KAClC,OAAAR,EAAS,KAAOI,EAChB,OAAOJ,EAAS,OAETF,GAAiB,KAAME,CAAQ,CACxC,CC1CA,OAAOS,OAAW,QAoBlB,eAAsBC,GAEpB,CAAE,SAAAC,EAAU,SAAAC,EAAW,KAAM,EACG,CAChC,GAAID,IAAa,6BAA8B,OAG/C,IAAME,EAAe,GAAGC,EAAmB,mDAAmDH,CAAQ,kBAAkBC,CAAQ,4BAE1HG,GADW,MAAMC,GAAM,IAAIH,CAAY,GACvB,KAAKF,CAAQ,EAGnC,OAAOI,EACH,CACE,aAAcA,EAAK,GAAGH,CAAQ,EAAE,EAChC,YAAaK,EAAc,EAC3B,cAAeF,EAAK,GAAGH,CAAQ,aAAa,CAC9C,EACA,MACN,CC5BA,eAAsBM,GAEpB,CAAE,QAAAC,EAAS,eAAAC,EAAgB,GAAGC,CAAK,EACjB,CAClB,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAUrC,OAPE,MAAMA,EAAS,YAAY,0BACzBH,EACAC,EACAC,CACF,GACA,QAAQ,EAEO,IAAKE,GAAMC,GAAcD,CAAC,CAAC,CAC9C,CC3BA,OAAS,gBAAAE,OAAoB,QAW7B,eAAsBC,GAEpB,CAAE,UAAAC,EAAW,QAAAC,CAAQ,EACH,CAClB,GAAM,CAAE,QAAAC,CAAQ,EAAI,KAEpB,GAAI,CAIF,OADa,MAFQ,IAAIJ,GAAaG,EAASD,CAAS,EAExB,YAAYE,EAAQ,QAAS,CAAC,GAClD,SAAW,CACzB,MAAc,CACZ,MAAO,EACT,CACF,CCnBA,eAAsBC,IAEU,CAC9B,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAErC,OAAOA,EAAS,YAAY,iBAAiB,CAC/C,CCKA,eAAsBC,GAEpB,CAAE,QAAAC,EAAS,MAAAC,EAAQ,IAAK,OAAAC,EAAS,CAAE,EACY,CAC/C,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAEpCC,EAAgC,CAAC,EAGjCC,EAAS,MAAMF,GAAe,sBAAsB,CACxD,QAAAH,EACA,MAAAC,EACA,OAAAC,CACF,CAAC,EAGDG,GAAQ,qCAAqC,QAASC,GAAe,CAC9DA,EAAW,oBAEhBF,EAAY,KAAK,CACf,YACEE,EAAW,mBAAmB,gBAAgB,eAC9C,OACF,qBAAsBA,EAAW,mBAAmB,cACpD,eAAgBA,EAAW,mBAAmB,gBAC9C,eAAgBA,EAAW,mBAAmB,gBAC9C,YAAaA,EAAW,mBAAmB,YAC3C,eAAgBA,EAAW,gBAC3B,YAAaA,EAAW,kBAAoB,OAC5C,OAAQA,EAAW,mBAAmB,cACtC,YAAaA,EAAW,mBAAmB,IAC3C,KAAMA,EAAW,mBAAmB,eACtC,CAAC,CACH,CAAC,GAGc,MAAMH,GAAe,yBAAyB,CAC3D,cAAeC,EAAY,IAAKG,GAAMA,EAAE,MAAM,CAChD,CAAC,IAGO,qDAAqD,QAC1DC,GAAU,CACT,GAAIA,EAAM,YAAcC,EAAoB,OAC5C,IAAMH,EAAaF,EAAY,KAC5BG,GAAMA,EAAE,SAAWC,EAAM,aAC5B,EACIF,IAAYA,EAAW,WAAaE,EAAM,MAChD,CACF,EAGA,IAAME,EAAcR,EAAS,EACvBS,GACHN,GAAQ,sCAAwC,CAAC,GAAG,OAAS,EAIhE,MAAO,CACL,YAAAD,EACA,WAAYO,EAAcT,EAASD,EAAQ,OAC3C,WAAYS,EAAc,KAAK,IAAIR,EAASD,EAAO,CAAC,EAAI,MAC1D,CACF,CCtEA,IAAMW,GAA+B,MACnCC,EACAC,IACmC,CACnC,IAAMC,EACJD,EAAS,wBAA0B,uBACnCA,EAAS,wBAA0B,gCACnCA,EAAS,wBAA0B,qCAC/BE,EAAYF,EAAS,gBAAkB,0BACvCG,EAAWH,EAAS,WAEpBI,EAAW,MAAML,EAAO,cAAc,CAC1C,SAAUC,EAAS,SACrB,CAAC,EAEKK,EAAkC,CACtC,OAAQ,OAAOH,EAAYF,EAAS,OAAS,CAACA,EAAS,MAAM,EAC7D,SAAAI,EACA,YAAaJ,EAAS,sBACtB,YAAaA,EAAS,sBACtB,OAAQA,EAAS,uBAAyB,UAAY,SACtD,UAAWM,GAAgBN,EAAS,qBAAqB,EAAE,QAAQ,EACnE,WAAYA,EAAS,mBACvB,EAEA,GAAIC,GAAqB,CAACE,EAAU,CAClC,IAAMI,EAAM,MAAMR,EAAO,iBAAiB,CACxC,QAASC,EAAS,mBACpB,CAAC,EACKQ,EAAaD,EAAI,QACpB,UAAU,CAAC,EACd,MAAO,CACL,UAAAC,EACA,cAAe,MAAMT,EAAO,qBAAqB,CAAE,QAASS,CAAU,CAAC,EACvE,OAAQD,EAAI,OACZ,WAAY,MAAMR,EAAO,qBAAqB,CAAE,QAASQ,EAAI,MAAO,CAAC,EACrE,KAAM,eACN,GAAGF,CACL,CACF,CAEA,MAAO,CACL,KAAMF,EAAW,SAAW,YAC5B,GAAGE,CACL,CACF,EAiBA,eAAsBI,GAEpB,CAAE,QAAAC,EAAS,MAAAC,EAAQ,GAAI,OAAAC,EAAS,CAAE,EACS,CAC3C,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAEpCC,EAAsC,CAAC,EAEvCC,EAAS,MAAMF,GAAe,uBAAuB,CACzD,QAAAH,EACA,MAAAC,EACA,OAAAC,CACF,CAAC,EAEKI,GAAqBD,GAAQ,iBAAmB,CAAC,GAAG,IACxD,MAAOf,GAAaF,GAA6B,KAAME,CAAQ,CACjE,EAEA,QAAWA,KAAY,MAAM,QAAQ,IAAIgB,CAAiB,EACxDF,EAAW,KAAKd,CAAQ,EAG1B,IAAMiB,EAAcL,EAAS,EACvBM,GAAeH,GAAQ,iBAAmB,CAAC,GAAG,OAAS,EAE7D,MAAO,CACL,WAAAD,EACA,WAAYI,EAAcN,EAASD,EAAQ,OAC3C,WAAYM,EAAc,KAAK,IAAIL,EAASD,EAAO,CAAC,EAAI,MAC1D,CACF,CClFA,eAAsBQ,GAEpB,CAAE,MAAAC,EAAQ,GAAI,OAAAC,EAAS,EAAG,QAAAC,CAAQ,EACU,CAC5C,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAEpCC,EAA8B,CAAC,EAE/BC,EAAS,MAAMF,GAAe,mBAAmB,CACrD,MAAAH,EACA,OAAAC,EACA,QAAAC,CACF,CAAC,EAEDG,GAAQ,oBAAoB,QAASC,GACnCF,EAAW,KAAKG,GAAmBD,CAAQ,CAAC,CAC9C,EAEA,IAAME,EAAcP,EAAS,EACvBQ,GAAeJ,GAAQ,qBAAuB,CAAC,GAAG,OAAS,EAEjE,MAAO,CACL,WAAAD,EACA,WAAYK,EAAcR,EAASD,EAAQ,OAC3C,WAAYQ,EAAc,KAAK,IAAIP,EAASD,EAAO,CAAC,EAAI,MAC1D,CACF,CCvCA,eAAsBU,GACpBC,EACAC,EACqB,CACrB,MAAO,CACL,OAAQA,EAAW,OACnB,eAAgBA,EAAW,uBAAuB,mBAC9CC,EACED,EAAW,uBAAuB,kBACpC,EACA,OACJ,YAAaA,EAAW,aACxB,gBAAiB,MAAMD,EAAO,qBAAqB,CACjD,QAASC,EAAW,YACtB,CAAC,EACD,yBAA0BA,EAAW,2BACrC,uBAAwBA,EAAW,yBACnC,UAAWA,EAAW,WACtB,cAAe,MAAMD,EAAO,qBAAqB,CAC/C,QAASC,EAAW,UACtB,CAAC,EACD,UAAWE,GAAuB,CAChC,OAAQF,EAAW,OACnB,eAAgBA,EAAW,yBAC3B,gBAAiBA,EAAW,iBAC5B,UAAWA,EAAW,sBACtB,gBAAiBA,EAAW,uBAAuB,gBACrD,CAAC,CACH,CACF,CAEA,IAAMG,GAA6B,CACjCC,EACAC,EACAC,IACG,CACH,GAAI,CAACA,EAAc,MAAO,GAE1B,GAAM,CAAE,uBAAAC,CAAuB,EAAIF,EAC7B,CAAE,OAAAG,CAAO,EAAIH,EAAa,UAC1BI,EAAW,GAAGD,CAAM,IAAID,CAAsB,GAEpD,MAAO,CAACD,IAAeF,CAAO,IAAIK,CAAQ,CAC5C,EAsBA,eAAsBC,GAEpB,CACE,QAAAN,EACA,aAAAE,EACA,MAAAK,EAAQ,GACR,OAAAC,EAAS,EACT,iBAAAC,EAAmB,EACrB,EACqD,CACrD,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAEpCC,EAAuB,CAAC,EAExBC,EAAS,MAAMF,GAAe,sBAAsB,CACxD,QAAAV,EACA,MAAAO,EACA,OAAAC,CACF,CAAC,EAEKK,EAAgB,CAAC,EACvB,QAAWZ,KAAgBW,GAAQ,8BAAgC,CAAC,EAClEC,EAAc,KAAKnB,GAAgB,KAAMO,CAAY,CAAC,EAGxD,QAAWa,KAAS,MAAM,QAAQ,IAAID,CAAa,EAAG,CACpD,IAAME,EAAYhB,GAA2BC,EAASc,EAAOZ,CAAY,GACpEO,GAAoB,CAACM,GAAe,CAACN,GAAoBM,IAC5DJ,EAAO,KAAKG,CAAK,CAErB,CAEA,IAAME,EAAcR,EAAS,EACvBS,GAAeL,GAAQ,8BAAgC,CAAC,GAAG,OAAS,EAE1E,MAAO,CACL,OAAAD,EACA,WAAYM,EAAcT,EAASD,EAAQ,OAC3C,WAAYS,EAAc,KAAK,IAAIR,EAASD,EAAO,CAAC,EAAI,MAC1D,CACF,CCtGA,eAAsBW,GAEpB,CAAE,UAAAC,CAAU,EACM,CAClB,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAE1C,GAAI,CAACA,EAAe,MAAO,GAE3B,GAAI,CAEF,OADe,MAAMA,EAAc,wBAAwB,CAAE,UAAAD,CAAU,CAAC,GAC1D,iBAAiB,OAAS,CAC1C,MAAgB,CACd,MAAO,EACT,CACF,CAKA,eAAsBE,IAAwD,CAC5E,OAAO,KAAK,kCAAkC,CAC5C,UAAW,iBACb,CAAC,CACH,CAKA,eAAsBC,IAAuD,CAC3E,OAAO,KAAK,kCAAkC,CAC5C,UAAW,gBACb,CAAC,CACH,CC1CA,OAAOC,OAAW,QAWlB,eAAsBC,GAEpB,CAAE,IAAAC,CAAI,EACY,CAClB,GAAI,CACF,GAAM,CAAE,KAAAC,CAAK,EAAI,MAAMH,GAAM,IAAkBE,CAAG,EAoBlD,GATI,CATsB,CACxBC,EAAK,YACLA,EAAK,MACLA,EAAK,KACLA,EAAK,WACLA,EAAK,0BAA4B,OACjCA,EAAK,MACP,EAAE,MAAM,OAAO,GAWX,CANuB,CACzBA,EAAK,YAAY,SACjBA,EAAK,YAAY,SACjBA,EAAK,YAAY,KACnB,EAAE,MAAM,OAAO,EAGb,MAAO,GAGT,IAAMC,EAAgBD,EAAK,WAAY,SAAS,MAC7CE,GAAYA,EAAQ,SAAWA,EAAQ,QAAU,MACpD,EAEMC,EAAaH,EAAK,WAAY,MAAM,MACvCI,GAASA,EAAK,MAAQA,EAAK,GAC9B,EAEA,OAAOH,GAAiBE,CAC1B,MAAc,CACZ,MAAO,EACT,CACF,CCpDA,OAAS,eAAAE,OAAmB,QAU5B,eAAsBC,GAEpB,CAAE,QAAAC,CAAQ,EACQ,CAClB,GAAI,CAEF,aADoB,IAAIF,GAAYE,CAAO,EACzB,cAAc,EACzB,EACT,MAAgB,CACd,MAAO,EACT,CACF,CCPA,eAAsBC,GAEpB,CAAE,QAAAC,CAAQ,EACW,CACrB,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAErC,OAAOA,EAAS,YAAY,oBAAoBD,CAAO,CAGzD,CAUA,eAAsBE,GAEpB,CAAE,QAAAF,EAAS,KAAAG,CAAK,EAC2B,CAC3C,GAAM,CAAE,SAAAF,CAAS,EAAI,KAAK,WAAW,EAErC,GAAI,CACF,OAAQ,MAAMA,EAAS,YAAY,mBACjCD,EACAG,CACF,CACF,MAAgB,CACd,MACF,CACF,CC9CA,OAAOC,OAAW,QASlB,eAAsBC,GAEpB,CAAE,IAAAC,CAAI,EACiB,CACvB,IAAMC,EAAcC,EAAQF,EAAI,KAAK,CAAC,EAGtC,GAAI,EAFYG,GAAgBF,CAAW,GAAKG,GAAWH,CAAW,GAExD,CAEZ,IAAMI,EAAW,MAAMC,GAAM,IAAkBL,CAAW,EACpDM,EAAcF,EAAS,QAAQ,cAAc,EAEnD,GAAI,EAAEE,IAAgB,QAAaA,GAAa,SAAS,QAAQ,GAE/D,MAAO,CACL,GAAGF,EAAS,KACZ,MAAOA,EAAS,KAAK,MAAQH,EAAQG,EAAS,KAAK,KAAK,EAAI,MAC9D,CAEJ,CAEA,MAAO,CAAE,MAAOJ,CAAY,CAC9B,CCjBA,eAAsBO,GAEpB,CAAE,QAAAC,CAAQ,EACe,CACzB,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAErC,OAAOC,GACL,MAAOC,GACJ,MAAMF,EAAS,wBAAwBE,CAAC,CAC7C,EAAEH,CAAO,CACX,CCdA,eAAsBI,GAEpB,CAAE,UAAAC,EAAW,QAAAC,CAAQ,EACN,CACf,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAErC,OAAOA,EAAS,YAAY,mBAAmBD,EAASD,CAAS,CACnE,CAOA,eAAsBG,GAEpB,CAAE,UAAAH,EAAW,QAAAC,CAAQ,EAC6B,CAClD,GAAM,CAAE,SAAAC,CAAS,EAAI,KAAK,WAAW,EAErC,OAAOA,EAAS,YAAY,6BAA6BD,EAASD,CAAS,CAC7E,CCdO,SAASI,IAAqD,CACnE,IAAMC,EAAO,KAEb,MAAO,CACL,QAASA,EAAK,QACd,YAAaA,EAAK,YAClB,aAAcA,EAAK,aACnB,cAAeA,EAAK,QACpB,QAASA,EAAK,QACd,SAAUA,EAAK,SACf,YAAaA,EAAK,WACpB,CACF,CCxBO,IAAMC,GAA4C,OAAO,OAAO,CACpE,QAA0BC,EAC1B,QAA0BC,EAC1B,OAAyB,CAAC,EAC1B,UAA4B,CAAC,CAChC,CAAC,EAcM,SAASC,GAEd,CAAE,YAAAC,CAAY,EAAqB,CAAC,EACjB,CACnB,IAAMC,EAAUD,GAAe,KAAK,QAAQ,KAEtCE,EAAuBN,GAAWK,CAAO,GAAK,CAAC,EAE/CE,EAAeD,EAAM,OAAO,CAACE,EAAKC,KACtCD,EAAIC,EAAK,WAAW,IAAgB,EAAIA,EACjCD,GACN,CAAC,CAAkC,EAOtC,MAAO,CAAE,iBALgBF,EAAM,OAAO,CAACE,EAAKC,KAC1CD,EAAIC,EAAK,WAAW,IAAgB,EAAIA,EAAK,SACtCD,GACN,CAAC,CAA6B,EAEN,aAAAD,CAAa,CAC1C,CCpCA,eAAsBG,GAEpB,CAAE,QAAAC,EAAS,aAAAC,CAAa,EACP,CACjB,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAS1C,OAPe,MAAMA,GAAe,sBAAsB,CACxD,QAAAF,EACA,MAAOC,EACH,CAAC,CAAE,mBAAoB,CAAE,cAAe,CAAE,IAAKA,CAAa,CAAE,CAAE,CAAC,EACjE,CAAC,CACP,CAAC,IAEc,sCAAsC,WAAW,OAAS,CAC3E,CCRA,eAAsBE,GAEpB,CAAE,QAAAC,EAAS,QAAAC,CAAQ,EACG,CACtB,GAAM,CAAE,QAAAC,EAAS,cAAAC,CAAc,EAAI,KAAK,WAAW,EAE7CC,EAAM,MAAMD,GAAe,4BAA4B,CAC3D,QAASH,GAAWE,EAAQ,QAC5B,QAAAD,CACF,CAAC,EAED,MAAI,CAACG,GAAOA,EAAI,oBAAoB,SAAW,EAAU,KAElD,IAAI,KACTC,EAAmBD,EAAI,oBAAoB,CAAC,EAAE,qBAAqB,CACrE,CACF,CCtBA,eAAsBE,GAEpB,CAAE,QAAAC,CAAQ,EAAsB,CAAC,EAChB,CACjB,GAAM,CAAE,QAAAC,CAAQ,EAAI,KAEdC,EAAW,MAAM,KAAK,kBAAkB,CAC5C,QAASF,GAAWC,EAAQ,QAC5B,KAAME,EACR,CAAC,EAED,OAAkB,OAAXD,EAAkBA,EAAS,KAAK,KAAK,MAAgB,CAAX,CACnD,CCXO,SAASE,GAEd,CAAE,YAAAC,EAAc,KAAK,QAAQ,KAAM,KAAAC,CAAK,EAAwB,CAAC,EACzD,CACR,IAAMC,EAAsBC,GAAwBH,CAAW,EACzDI,EAAgBF,EAClB,YAAYA,CAAmB,GAC/B,GAEJ,OAAOD,IAAS,OACZ,GAAGI,CAAkB,IAAIJ,CAAI,GAAGG,CAAa,GAC7C,GAAGC,CAAkB,GAAGD,CAAa,EAC3C,CCFA,eAAsBE,GAEpB,CAAE,QAAAC,CAAQ,EACsB,CAChC,GAAM,CAAE,cAAAC,CAAc,EAAI,KAAK,WAAW,EAGpCC,GAFO,MAAMD,GAAe,aAAa,CAAE,QAAAD,CAAQ,CAAC,IAEtC,uBAAuB,CAAC,EAC5C,GAAKE,EAEL,MAAO,CACL,YAAaA,EAAM,gBAAgB,cACnC,WAAYA,EAAM,oBAAoB,eAAiB,GACvD,QAASA,EAAM,oBAAoB,iBAAmB,GACtD,YAAaA,EAAM,YACnB,OAAQF,EAAQ,UAAU,CAAC,EAC3B,aAAc,GACd,YAAa,GACb,YAAaE,EAAM,UACnB,KAAMA,EAAM,WACZ,cAAeA,EAAM,cACvB,CACF,CCzCA,OAAS,yBAAAC,OAA6B,qBACtC,OAA2B,eAAAC,OAAmB,kBAC9C,OAEE,gBAAAC,GACA,WAAAC,GACA,YAAAC,GACA,eAAAC,OACK,QCRP,OAAS,iBAAAC,OAAqB,kBCI9B,OAAOC,MAAS,cACT,IAAMC,GAAgCD;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAgBhCE,GAA8BF;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAa9BG,GAAkCH;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAalCI,EAA6BJ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAepCG,EAA+B,GACxBE,GAAuCL;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAY9CI,CAA0B,GACnBE,GAA2BN;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAsB3BO,GAAiCP;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAWxCC,EAA6B,GACtBO,GAAgCR;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAWhCS,GAAkCT;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MA0BzCI,CAA0B,GACnBM,GAAgCV;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAuBhCW,GAAmCX;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAanCY,GAAuBZ;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAO9BI,CAA0B,GACnBS,GAAgCb;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAWvCK,EAAoC,GAC7BS,GAAmCd;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAW1CK,EAAoC,GAC7BU,GAAiCf;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAUjCgB,GAA6BhB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAWpCM,EAAwB,GACjBW,GAAsCjB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAUtCkB,GAAkClB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAOlCmB,GAAoCnB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAqEpCoB,GAAuCpB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAevCqB,GAA8BrB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAiB9BsB,GAA6BtB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAU7BuB,GAAgCvB;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,MAcvCwB,GAAqC,CAACC,EAAQC,EAAgBC,IAAmBF,EAAO,EAEvF,SAASG,GAAOC,EAAuBC,EAAkCN,GAAgB,CAC9F,MAAO,CACL,uBAAuBO,EAAuDC,EAA0F,CACtK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA2CtB,GAAgCwB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,yBAA0B,OAAO,CAC9N,EACA,sBAAsBF,EAAsDC,EAAyF,CACnK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA0CrB,GAA+BuB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,wBAAyB,OAAO,CAC3N,EACA,wBAAwBF,EAAwDC,EAA2F,CACzK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA4CpB,GAAiCsB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,0BAA2B,OAAO,CACjO,EACA,sBAAsBF,EAAsDC,EAAyF,CACnK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA0CnB,GAA+BqB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,wBAAyB,OAAO,CAC3N,EACA,yBAAyBF,EAAyDC,EAA4F,CAC5K,OAAOF,EAAaG,GAA0BJ,EAAO,QAA6ClB,GAAkCoB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,2BAA4B,OAAO,CACpO,EACA,aAAaF,EAA6CC,EAAgF,CACxI,OAAOF,EAAaG,GAA0BJ,EAAO,QAAiCjB,GAAsBmB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,eAAgB,OAAO,CAChM,EACA,sBAAsBF,EAAsDC,EAAyF,CACnK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA0ChB,GAA+BkB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,wBAAyB,OAAO,CAC3N,EACA,yBAAyBF,EAAyDC,EAA4F,CAC5K,OAAOF,EAAaG,GAA0BJ,EAAO,QAA6Cf,GAAkCiB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,2BAA4B,OAAO,CACpO,EACA,uBAAuBF,EAAuDC,EAA0F,CACtK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA2Cd,GAAgCgB,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,yBAA0B,OAAO,CAC9N,EACA,mBAAmBF,EAAmDC,EAAsF,CAC1J,OAAOF,EAAaG,GAA0BJ,EAAO,QAAuCb,GAA4Be,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,qBAAsB,OAAO,CAClN,EACA,4BAA4BF,EAA4DC,EAA+F,CACrL,OAAOF,EAAaG,GAA0BJ,EAAO,QAAgDZ,GAAqCc,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,8BAA+B,OAAO,CAC7O,EACA,wBAAwBF,EAAwDC,EAA2F,CACzK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA4CX,GAAiCa,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,0BAA2B,OAAO,CACjO,EACA,0BAA0BF,EAA0DC,EAA6F,CAC/K,OAAOF,EAAaG,GAA0BJ,EAAO,QAA8CV,GAAmCY,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,4BAA6B,OAAO,CACvO,EACA,6BAA6BF,EAA6DC,EAAgG,CACxL,OAAOF,EAAaG,GAA0BJ,EAAO,QAAiDT,GAAsCW,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,+BAAgC,OAAO,CAChP,EACA,oBAAoBF,EAAoDC,EAAuF,CAC7J,OAAOF,EAAaG,GAA0BJ,EAAO,QAAwCR,GAA6BU,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,sBAAuB,OAAO,CACrN,EACA,mBAAmBF,EAAoDC,EAAsF,CAC3J,OAAOF,EAAaG,GAA0BJ,EAAO,QAAuCP,GAA4BS,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,qBAAsB,OAAO,CAClN,EACA,sBAAsBF,EAAuDC,EAAyF,CACpK,OAAOF,EAAaG,GAA0BJ,EAAO,QAA0CN,GAA+BQ,EAAW,CAAC,GAAGC,EAAgB,GAAGC,CAAqB,CAAC,EAAG,wBAAyB,OAAO,CAC3N,CACF,CACF,CCnLO,IAAKC,QAEVA,EAAA,eAAiB,kBAEjBA,EAAA,mBAAqB,sBAJXA,QAAA,IA6FAC,QAEVA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,mBAEjBA,EAAA,oBAAsB,wBANZA,QAAA,IA6LAC,QAEVA,EAAA,eAAiB,kBAEjBA,EAAA,mBAAqB,sBAJXA,QAAA,IAoOAC,QAEVA,EAAA,QAAU,UAEVA,EAAA,mBAAqB,sBAJXA,QAAA,IAoIAC,QAEVA,EAAA,YAAc,eAEdA,EAAA,MAAQ,QAERA,EAAA,sBAAwB,0BAExBA,EAAA,GAAK,KAELA,EAAA,yBAA2B,8BAE3BA,EAAA,SAAW,WAEXA,EAAA,MAAQ,QAERA,EAAA,UAAY,YAEZA,EAAA,QAAU,UAlBAA,QAAA,IAgRAC,QAEVA,EAAA,aAAe,gBAEfA,EAAA,OAAS,SAETA,EAAA,YAAc,eAEdA,EAAA,SAAW,YAEXA,EAAA,mBAAqB,wBAErBA,EAAA,oBAAsB,wBAEtBA,EAAA,oBAAsB,wBAEtBA,EAAA,WAAa,cAEbA,EAAA,oBAAsB,wBAEtBA,EAAA,SAAW,aAEXA,EAAA,qBAAuB,yBAEvBA,EAAA,aAAe,gBAEfA,EAAA,oBAAsB,wBAEtBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBA9BXA,QAAA,IAgQAC,QAEVA,EAAA,OAAS,SAETA,EAAA,SAAW,YAEXA,EAAA,aAAe,iBAEfA,EAAA,aAAe,gBAEfA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAZXA,QAAA,IAgFAC,QAEVA,EAAA,SAAW,YAEXA,EAAA,aAAe,iBAEfA,EAAA,eAAiB,kBAEjBA,EAAA,SAAW,WAEXA,EAAA,KAAO,OAEPA,EAAA,4BAA8B,iCAE9BA,EAAA,yBAA2B,8BAE3BA,EAAA,OAAS,SAETA,EAAA,4BAA8B,gCAE9BA,EAAA,0BAA4B,8BApBlBA,QAAA,IAgFAC,QAEVA,EAAA,SAAW,YAEXA,EAAA,aAAe,iBAEfA,EAAA,OAAS,SAETA,EAAA,iBAAmB,oBAEnBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAZXA,QAAA,IAyFAC,QAEVA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,cAEdA,EAAA,mBAAqB,sBAErBA,EAAA,QAAU,UAEVA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,eAEdA,EAAA,OAAS,SAETA,EAAA,YAAc,eAEdA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,WAAa,cA1BHA,QAAA,IAsHAC,QAEVA,EAAA,OAAS,SAETA,EAAA,oBAAsB,uBAEtBA,EAAA,UAAY,aAEZA,EAAA,uBAAyB,2BAEzBA,EAAA,kBAAoB,qBAEpBA,EAAA,UAAY,YAEZA,EAAA,UAAY,aAdFA,QAAA,IA6EAC,QAEVA,EAAA,OAAS,SAETA,EAAA,oBAAsB,uBAEtBA,EAAA,UAAY,aAEZA,EAAA,uBAAyB,2BAEzBA,EAAA,kBAAoB,qBAEpBA,EAAA,UAAY,YAEZA,EAAA,UAAY,aAEZA,EAAA,cAAgB,iBAhBNA,QAAA,IA2MAC,QAEVA,EAAA,OAAS,SAETA,EAAA,iBAAmB,qBAEnBA,EAAA,oBAAsB,uBAEtBA,EAAA,SAAW,YAEXA,EAAA,UAAY,aAEZA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAEfA,EAAA,kBAAoB,qBAEpBA,EAAA,UAAY,YAEZA,EAAA,UAAY,aAEZA,EAAA,cAAgB,iBAtBNA,QAAA,IAoKAC,QAEVA,EAAA,OAAS,SAETA,EAAA,SAAW,YAEXA,EAAA,aAAe,iBAEfA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAZLA,QAAA,IAyFAC,QAEVA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,cAEdA,EAAA,mBAAqB,sBAErBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,QAAU,UAEVA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,eAEdA,EAAA,OAAS,SAETA,EAAA,YAAc,eAEdA,EAAA,WAAa,cA1BHA,QAAA,IAkKAC,QAEVA,EAAA,aAAe,gBAEfA,EAAA,eAAiB,kBAEjBA,EAAA,cAAgB,iBAEhBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAEfA,EAAA,eAAiB,mBAhBPA,QAAA,IAuJAC,QAEVA,EAAA,aAAe,gBAEfA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,cAAgB,iBAEhBA,EAAA,YAAc,cAEdA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,UAAY,aAEZA,EAAA,mBAAqB,sBAErBA,EAAA,WAAa,cAEbA,EAAA,cAAgB,kBAEhBA,EAAA,cAAgB,iBAEhBA,EAAA,cAAgB,kBAEhBA,EAAA,IAAM,MA5BIA,QAAA,IA+FAC,QAEVA,EAAA,kBAAoB,sBAEpBA,EAAA,oBAAsB,wBAEtBA,EAAA,uBAAyB,2BAEzBA,EAAA,6BAA+B,iCAE/BA,EAAA,mBAAqB,uBAErBA,EAAA,WAAa,cAEbA,EAAA,YAAc,eAdJA,QAAA,IA0EAC,QAEVA,EAAA,sBAAwB,0BAExBA,EAAA,iBAAmB,oBAEnBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAEfA,EAAA,YAAc,eAEdA,EAAA,MAAQ,QAdEA,QAAA,IAkFAC,QAEVA,EAAA,iBAAmB,oBAEnBA,EAAA,uBAAyB,2BAEzBA,EAAA,kBAAoB,sBAEpBA,EAAA,YAAc,eAEdA,EAAA,SAAW,YAEXA,EAAA,OAAS,SAETA,EAAA,YAAc,eAdJA,QAAA,IAiJAC,QAEVA,EAAA,OAAS,SAETA,EAAA,UAAY,aAEZA,EAAA,SAAW,YAEXA,EAAA,UAAY,aAEZA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAEfA,EAAA,UAAY,aAEZA,EAAA,cAAgB,iBAlBNA,QAAA,IAiIAC,QAEVA,EAAA,qBAAuB,yBAEvBA,EAAA,UAAY,aAEZA,EAAA,oBAAsB,yBAEtBA,EAAA,uBAAyB,2BAEzBA,EAAA,cAAgB,iBAEhBA,EAAA,aAAe,gBAEfA,EAAA,aAAe,iBAdLA,QAAA,IA2FAC,QAEVA,EAAA,uBAAyB,2BAEzBA,EAAA,gBAAkB,mBAElBA,EAAA,mBAAqB,uBAErBA,EAAA,aAAe,gBARLA,QAAA,IA6EAC,QAEVA,EAAA,WAAa,cAEbA,EAAA,aAAe,gBAEfA,EAAA,UAAY,aAEZA,EAAA,IAAM,MAENA,EAAA,QAAU,WAEVA,EAAA,uBAAyB,2BAEzBA,EAAA,YAAc,eAdJA,QAAA,IA8HAC,QAEVA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,kBAAoB,qBAEpBA,EAAA,YAAc,cAEdA,EAAA,mBAAqB,sBAErBA,EAAA,uBAAyB,2BAEzBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,QAAU,UAEVA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,eAEdA,EAAA,KAAO,OAEPA,EAAA,aAAe,gBAEfA,EAAA,kBAAoB,qBAEpBA,EAAA,eAAiB,kBAEjBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,OAAS,SAETA,EAAA,gBAAkB,qBAElBA,EAAA,WAAa,cA1CHA,QAAA,IA4JAC,QAEVA,EAAA,aAAe,gBAEfA,EAAA,YAAc,cAEdA,EAAA,aAAe,iBAEfA,EAAA,yBAA2B,8BAE3BA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,QAAU,UAEVA,EAAA,OAAS,SAETA,EAAA,YAAc,gBAEdA,EAAA,UAAY,aAEZA,EAAA,gBAAkB,mBAElBA,EAAA,cAAgB,iBAEhBA,EAAA,SAAW,YA1BDA,QAAA,IAuPAC,QAEVA,EAAA,OAAS,SAETA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,KAAO,OAEPA,EAAA,aAAe,gBAEfA,EAAA,gBAAkB,mBAElBA,EAAA,UAAY,aAEZA,EAAA,gBAAkB,qBAElBA,EAAA,gBAAkB,mBAxBRA,QAAA,IA0TAC,QAEVA,EAAA,OAAS,SAETA,EAAA,aAAe,iBAEfA,EAAA,cAAgB,kBAEhBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,aAAe,gBAEfA,EAAA,kBAAoB,sBAEpBA,EAAA,UAAY,aAEZA,EAAA,YAAc,gBAEdA,EAAA,YAAc,gBAEdA,EAAA,yBAA2B,8BAE3BA,EAAA,cAAgB,iBAxBNA,QAAA,IAwRAC,QAEVA,EAAA,OAAS,SAETA,EAAA,qBAAuB,0BAEvBA,EAAA,aAAe,gBAEfA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,eAEdA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,KAAO,OAEPA,EAAA,gBAAkB,mBAElBA,EAAA,YAAc,eAEdA,EAAA,UAAY,aAEZA,EAAA,YAAc,gBAEdA,EAAA,gBAAkB,qBA5BRA,QAAA,IA0DAC,QAEVA,EAAA,IAAM,MAENA,EAAA,KAAO,OAJGA,QAAA,IAoFAC,QAEVA,EAAA,OAAS,SAETA,EAAA,iBAAmB,oBAEnBA,EAAA,WAAa,cAEbA,EAAA,UAAY,aAEZA,EAAA,YAAc,eAEdA,EAAA,mBAAqB,sBAZXA,QAAA,IA6GAC,QAEVA,EAAA,wBAA0B,4BAE1BA,EAAA,mBAAqB,uBAJXA,QAAA,IAwFAC,QAEVA,EAAA,iBAAmB,oBAEnBA,EAAA,YAAc,eAJJA,QAAA,IAuEAC,QAEVA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,KAAO,OAEPA,EAAA,WAAa,cAEbA,EAAA,YAAc,eAEdA,EAAA,eAAiB,kBAEjBA,EAAA,uBAAyB,2BAEzBA,EAAA,mBAAqB,sBAErBA,EAAA,KAAO,OAlBGA,QAAA,IAmMAC,QAEVA,EAAA,OAAS,SAETA,EAAA,UAAY,aAEZA,EAAA,YAAc,eAEdA,EAAA,mBAAqB,wBAErBA,EAAA,WAAa,cAEbA,EAAA,mBAAqB,wBAErBA,EAAA,SAAW,YAEXA,EAAA,SAAW,aAEXA,EAAA,qBAAuB,yBAEvBA,EAAA,aAAe,gBAEfA,EAAA,UAAY,aAEZA,EAAA,oBAAsB,wBAEtBA,EAAA,cAAgB,iBAEhBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,KAAO,OAhCGA,QAAA,IAmLAC,QAEVA,EAAA,UAAY,aAEZA,EAAA,eAAiB,kBAEjBA,EAAA,SAAW,WAEXA,EAAA,QAAU,WAEVA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,KAAO,OAEPA,EAAA,WAAa,cAEbA,EAAA,8BAAgC,oCAEhCA,EAAA,2BAA6B,iCAE7BA,EAAA,OAAS,SAETA,EAAA,cAAgB,iBAxBNA,QAAA,IA0EAC,QAEVA,EAAA,GAAK,KAELA,EAAA,YAAc,gBAJJA,QAAA,IAqEAC,QAEVA,EAAA,QAAU,WAFAA,QAAA,IA2FAC,QAEVA,EAAA,QAAU,UAEVA,EAAA,mBAAqB,sBAJXA,QAAA,IA6IAC,QAEVA,EAAA,cAAgB,mBAEhBA,EAAA,SAAW,YAEXA,EAAA,aAAe,gBAEfA,EAAA,gBAAkB,mBAElBA,EAAA,gBAAkB,oBAElBA,EAAA,cAAgB,iBAEhBA,EAAA,mBAAqB,wBAErBA,EAAA,eAAiB,kBAEjBA,EAAA,cAAgB,kBAEhBA,EAAA,UAAY,aAEZA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,UAAY,aAEZA,EAAA,YAAc,cAEdA,EAAA,OAAS,SAETA,EAAA,iBAAmB,qBAEnBA,EAAA,YAAc,eAEdA,EAAA,YAAc,gBAEdA,EAAA,cAAgB,iBAtCNA,QAAA,IA0IAC,QAEVA,EAAA,MAAQ,QAERA,EAAA,SAAW,YAEXA,EAAA,aAAe,gBAEfA,EAAA,kBAAoB,sBAEpBA,EAAA,gBAAkB,mBAElBA,EAAA,mBAAqB,wBAErBA,EAAA,eAAiB,kBAEjBA,EAAA,cAAgB,kBAEhBA,EAAA,UAAY,aAEZA,EAAA,UAAY,aAEZA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,YAAc,cAEdA,EAAA,qBAAuB,yBAEvBA,EAAA,cAAgB,iBA9BNA,QAAA,IA8HAC,QAEVA,EAAA,SAAW,YAEXA,EAAA,aAAe,gBAEfA,EAAA,gBAAkB,mBAElBA,EAAA,mBAAqB,wBAErBA,EAAA,cAAgB,kBAEhBA,EAAA,UAAY,aAEZA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,UAAY,aAEZA,EAAA,YAAc,cAEdA,EAAA,MAAQ,QAERA,EAAA,OAAS,SAETA,EAAA,YAAc,eAEdA,EAAA,YAAc,gBAEdA,EAAA,cAAgB,iBA9BNA,QAAA,IAiIAC,QAEVA,EAAA,MAAQ,QAERA,EAAA,SAAW,YAEXA,EAAA,aAAe,gBAEfA,EAAA,gBAAkB,mBAElBA,EAAA,mBAAqB,wBAErBA,EAAA,eAAiB,kBAEjBA,EAAA,cAAgB,kBAEhBA,EAAA,UAAY,aAEZA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,YAAc,cAEdA,EAAA,QAAU,WAEVA,EAAA,MAAQ,QAERA,EAAA,YAAc,eAEdA,EAAA,YAAc,gBAEdA,EAAA,cAAgB,iBAhCNA,QAAA,IAmJAC,QAEVA,EAAA,MAAQ,QAERA,EAAA,SAAW,YAEXA,EAAA,aAAe,gBAEfA,EAAA,eAAiB,kBAEjBA,EAAA,gBAAkB,mBAElBA,EAAA,eAAiB,kBAEjBA,EAAA,mBAAqB,wBAErBA,EAAA,WAAa,cAEbA,EAAA,UAAY,aAEZA,EAAA,cAAgB,kBAEhBA,EAAA,YAAc,cAEdA,EAAA,iBAAmB,sBAEnBA,EAAA,MAAQ,QAERA,EAAA,gBAAkB,mBAElBA,EAAA,OAAS,SAETA,EAAA,YAAc,eAEdA,EAAA,YAAc,gBAEdA,EAAA,UAAY,aAEZA,EAAA,cAAgB,iBAEhBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBA1CXA,QAAA,IA0HAC,QAEVA,EAAA,6BAA+B,kCAE/BA,EAAA,SAAW,YAEXA,EAAA,gBAAkB,oBAElBA,EAAA,YAAc,gBAEdA,EAAA,WAAa,eAEbA,EAAA,yBAA2B,8BAE3BA,EAAA,qBAAuB,0BAEvBA,EAAA,gBAAkB,oBAElBA,EAAA,YAAc,gBAlBJA,QAAA,IAiEAC,QAEVA,EAAA,mBAAqB,uBAErBA,EAAA,YAAc,eAJJA,QAAA,IAmCAC,QAEVA,EAAA,IAAM,MAENA,EAAA,cAAgB,kBAEhBA,EAAA,aAAe,iBAEfA,EAAA,KAAO,OAEPA,EAAA,eAAiB,mBAEjBA,EAAA,cAAgB,kBAZNA,QAAA,IAyCAC,QAEVA,EAAA,mBAAqB,uBAErBA,EAAA,YAAc,eAEdA,EAAA,UAAY,YANFA,QAAA,IA0HAC,QAEVA,EAAA,SAAW,YAEXA,EAAA,WAAa,cAEbA,EAAA,WAAa,cAEbA,EAAA,mBAAqB,uBAErBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,aAAe,gBAdLA,QAAA,IA81FAC,QAEVA,EAAA,WAAa,cAEbA,EAAA,aAAe,gBAEfA,EAAA,IAAM,MAENA,EAAA,YAAc,eAEdA,EAAA,mBAAqB,sBAErBA,EAAA,oBAAsB,yBAZZA,QAAA,IA2DAC,QAEVA,EAAA,OAAS,SAETA,EAAA,QAAU,WAEVA,EAAA,UAAY,aANFA,QAAA,IA+UAC,QAEVA,EAAA,WAAa,cAEbA,EAAA,SAAW,YAEXA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,oBAAsB,wBAEtBA,EAAA,oBAAsB,wBAEtBA,EAAA,WAAa,cAEbA,EAAA,oBAAsB,wBAEtBA,EAAA,YAAc,eAEdA,EAAA,KAAO,OAEPA,EAAA,gBAAkB,mBAElBA,EAAA,UAAY,aAEZA,EAAA,YAAc,eAEdA,EAAA,gBAAkB,qBAElBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,aAAe,gBApCLA,QAAA,IA+ZAC,QAEVA,EAAA,WAAa,cAEbA,EAAA,YAAc,eAEdA,EAAA,mBAAqB,wBAErBA,EAAA,oBAAsB,wBAEtBA,EAAA,WAAa,cAEbA,EAAA,YAAc,eAEdA,EAAA,aAAe,iBAEfA,EAAA,kBAAoB,sBAEpBA,EAAA,UAAY,aAEZA,EAAA,YAAc,eAEdA,EAAA,YAAc,gBAEdA,EAAA,cAAgB,iBAEhBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,KAAO,OA9BGA,QAAA,IA8UAC,QAEVA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,kBAAoB,qBAEpBA,EAAA,YAAc,cAEdA,EAAA,mBAAqB,sBAErBA,EAAA,uBAAyB,2BAEzBA,EAAA,QAAU,UAEVA,EAAA,eAAiB,kBAEjBA,EAAA,YAAc,eAEdA,EAAA,KAAO,OAEPA,EAAA,aAAe,gBAEfA,EAAA,kBAAoB,qBAEpBA,EAAA,eAAiB,kBAEjBA,EAAA,yBAA2B,6BAE3BA,EAAA,uBAAyB,2BAEzBA,EAAA,OAAS,SAETA,EAAA,gBAAkB,qBAElBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAErBA,EAAA,WAAa,cA1CHA,QAAA,IAmIAC,QAEVA,EAAA,OAAS,SAETA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,KAAO,OAEPA,EAAA,aAAe,gBAEfA,EAAA,gBAAkB,mBAElBA,EAAA,YAAc,eAEdA,EAAA,UAAY,aAEZA,EAAA,gBAAkB,qBAElBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAxBXA,QAAA,IAqGAC,QAEVA,EAAA,qBAAuB,0BAEvBA,EAAA,eAAiB,kBAEjBA,EAAA,eAAiB,kBAEjBA,EAAA,KAAO,OAEPA,EAAA,gBAAkB,mBAElBA,EAAA,gBAAkB,qBAElBA,EAAA,gBAAkB,mBAElBA,EAAA,qBAAuB,wBAEvBA,EAAA,mBAAqB,sBAlBXA,QAAA,IA4FAC,QAEVA,EAAA,YAAc,eAEdA,EAAA,mBAAqB,wBAErBA,EAAA,MAAQ,QAERA,EAAA,wBAA0B,4BAE1BA,EAAA,aAAe,iBAEfA,EAAA,aAAe,iBAEfA,EAAA,oBAAsB,wBAEtBA,EAAA,OAAS,SAETA,EAAA,eAAiB,kBAEjBA,EAAA,UAAY,YAEZA,EAAA,QAAU,UAtBAA,QAAA,IFlqVG,SAARC,EAA4BC,EAAkB,CACnD,IAAMC,EAAgB,IAAIC,GAAcF,CAAQ,EAChD,OAAOG,GAAOF,CAAa,CAC7B,CDmEO,IAAMG,GAAN,KAAuB,CAC5BC,GAKAC,GAEAC,GAEAC,GAEAC,GAEA,YAAYC,EAA4B,CACtC,KAAKL,GAASM,GAIZC,GACE,KAA8B,CAC5B,QAASF,EAAK,QACd,OAAQA,EAAK,OACb,QAASA,EAAK,QACd,OAAQA,EAAK,MACf,EACF,CACF,EACA,KAAKJ,GAAY,KAAK,eAAe,EACrC,KAAKC,GAAW,KAAK,cAAc,EACnC,KAAKC,GAAgB,KAAK,mBAAmB,EAC7C,KAAKC,GAAe,KAAK,kBAAkB,CAC7C,CAEA,IAAI,OAAQ,CACV,OAAO,KAAKJ,GAAO,SAAS,CAC9B,CAEA,IAAI,QAAS,CACX,OAAO,KAAK,MAAM,MACpB,CAEA,IAAI,SAAU,CACZ,OAAO,KAAK,MAAM,OACpB,CAEA,IAAI,SAAU,CACZ,OAAO,KAAK,MAAM,OACpB,CAEA,IAAI,aAAc,CAChB,OAAO,KAAKC,GAAU,WACxB,CAEA,IAAI,SAAU,CACZ,OAAO,KAAKC,EACd,CAEA,IAAI,cAAe,CACjB,OAAO,KAAKC,EACd,CAEA,IAAI,aAAc,CAChB,OAAO,KAAKC,EACd,CAEA,IAAI,UAAW,CACb,OAAO,KAAKH,EACd,CAEA,WAAWO,EAAsB,CAC/B,KAAKR,GAAO,SAAS,CAAE,QAAAQ,CAAQ,EAAG,EAAI,CACxC,CAEA,WAAWC,EAAsB,CAC/B,KAAKT,GAAO,SAAS,CAAE,QAAAS,CAAQ,EAAG,EAAI,EACtC,KAAK,eAAe,CACtB,CAEA,UAAUC,EAAsB,CAC9B,KAAKV,GAAO,SAAS,CAAE,OAAAU,CAAO,EAAG,EAAI,CACvC,CAEA,UAAUC,EAAuB,CAC/B,KAAKX,GAAO,SAAS,CAAE,OAAAW,CAAO,EAAG,EAAI,EACrC,KAAK,eAAe,CACtB,CAEA,gBAAgBC,EAA0C,CACxD,OAAO,KAAKZ,GAAO,UAChBa,GAAUA,EAAM,QAChBL,GAAYI,EAASJ,CAAO,CAC/B,CACF,CAEA,gBAAgBI,EAA0C,CACxD,OAAO,KAAKZ,GAAO,UAChBa,GAAUA,EAAM,QAChBJ,GAAYG,EAASH,CAAO,CAC/B,CACF,CAEA,eAAeG,EAA0C,CACvD,OAAO,KAAKZ,GAAO,UAChBa,GAAUA,EAAM,OAChBH,GAAWE,EAASF,CAAM,CAC7B,CACF,CAEA,eAAeE,EAA4C,CACzD,OAAO,KAAKZ,GAAO,UAChBa,GAAUA,EAAM,OAChBF,GAAWC,EAASD,CAAM,CAC7B,CACF,CAEA,SAASC,EAAkD,CACzD,OAAO,KAAKZ,GAAO,UAAWa,GAAUD,EAASC,CAAK,CAAC,CACzD,CAEQ,gBAAiB,CACvB,KAAKZ,GAAY,KAAK,eAAe,EACrC,KAAKC,GAAW,KAAK,cAAc,EACnC,KAAKC,GAAgB,KAAK,mBAAmB,EAC7C,KAAKC,GAAe,KAAK,kBAAkB,CAC7C,CAEQ,gBAAiB,CACvB,GAAM,CAAE,QAAAK,CAAQ,EAAI,KAEpB,OAAIA,EAAQ,QAAQ,OAAO,OAAOK,EAAO,EAChC,IAAIC,GACTN,EAAQ,KACR,KAAK,OAAO,QAAQ,aAAa,MACnC,EAGK,IAAIM,GACT,CACE,YAAa,KAAK,MAAM,QAAQ,QAChC,WAAY,KAAK,MAAM,QAAQ,YAAc,SAC/C,EACA,KAAK,OAAO,QAAQ,aAAa,MACnC,CACF,CAEQ,eAAiC,CACvC,IAAMC,EAAM,KAAK,MAAM,QAAQ,WAC/B,OAAOA,EAAMC,EAAWD,CAAG,EAAI,MACjC,CAEQ,oBAAqB,CAC3B,GAAM,CAAE,QAAAP,CAAQ,EAAI,KAEpB,GAAI,GAACA,EAAQ,SAAW,CAACA,EAAQ,WAEjC,OAAO,IAAIS,GACTT,EAAQ,QACRA,EAAQ,UACR,KAAK,OAAO,QAAQ,cAAc,MACpC,CACF,CAEQ,mBAAoB,CAC1B,OAAO,IAAIU,GAAY,KAAKlB,GAAU,WAAW,CACnD,CAIA,WAAamB,GAEb,YAAcC,GAEd,8BAAgCC,GAEhC,wBAA0BC,GAE1B,kCAAoCC,GAEpC,iBAAmBC,GAEnB,mBAAqBC,GAErB,eAAiBC,GAEjB,kBAAoBC,GAEpB,gBAAkBC,GAElB,qBAAuBC,GAEvB,kCAAoCC,GAEpC,gCAAkCC,GAElC,+BAAiCC,GAEjC,4BAA8BC,GAE9B,2BAA6BC,GAE7B,+BAAiCC,GAEjC,cAAgBC,GAEhB,kBAAoBC,GAEpB,YAAcC,GAEd,eAAiBC,GAEjB,cAAgBC,GAEhB,qBAAuBC,GAEvB,qBAAuBC,GAEvB,qCAAuCC,GAEvC,wBAA0BC,GAE1B,uBAAyBC,GAEzB,aAAeC,GAEf,0BAA4BC,GAE5B,eAAiBC,GAIjB,kBAAoBC,GAEpB,oBAAsBC,GAEtB,gBAAkBC,GAElB,YAAcC,GAEd,WAAaC,GAEb,4BAA8BC,GAE9B,YAAcC,EAChB,EI9PO,SAASC,GACdC,EAC+B,CAC/B,OAAOA,EAAK,SAAW,WAAaA,EAAK,SAAW,QACtD,CC1BO,IAAKC,QACVA,EAAA,YAAc,8CACdA,EAAA,MAAQ,wCACRA,EAAA,OAAS,mCACTA,EAAA,QAAU,2BACVA,EAAA,KAAO,6BACPA,EAAA,OAAS,0CACTA,EAAA,MAAQ,wCACRA,EAAA,SAAW,4BARDA,QAAA,ICxCZ,OAAS,OAAAC,EAAK,aAAAC,EAAW,mBAAAC,OAA8B,QA0BvD,SAASC,GAAgBC,EAA0C,CACjE,OACEA,IAAa,QACbA,GAAU,cAAgB,QAC1B,OAAOA,GAAU,aAAgB,UACjCA,GAAU,OAAS,MAEvB,CAEA,SAASC,GAA0BD,EAAsC,CACvE,OAAIA,aAAoB,WACf,CACL,YAAaH,EAAU,eAAeG,CAAQ,EAAE,IAAI,EACpD,KAAM,YACR,EAIKA,CACT,CAEO,SAASE,GAAsBF,EAAe,CACnD,OAAKD,GAAgBC,CAAQ,GAIzBA,EAAS,OAAS,aACb,IAAIH,EAAUG,EAAS,WAAW,EAAE,aAAa,EAJjDA,CASX,CAMA,SAASG,GACPC,EAC+C,CAG/C,OACEA,aAAmBN,GAAgB,oBAClCM,GAAgD,YAAc,MAEnE,CAEO,SAASC,GACdD,EAC4B,CAE5B,IAAME,EAAiBF,EAAQ,UAAU,IAAKG,GAC5CN,GAAoBM,CAAG,CACzB,EACA,MAAO,CAAE,GAAGH,EAAS,UAAWE,CAAe,CACjD,CAEO,SAASE,GACdJ,EACmB,CAEnB,GAAID,GAAkBC,CAAO,EAAG,CAC9B,IAAMK,EAAeb,EAAI,WAAWQ,CAAO,EAC3C,OAAOP,EAAU,eAAeY,CAAY,EAAE,IAAI,CACpD,CAEA,GAAIL,EAAQ,OAAS,mBAAoB,CACvC,IAAMM,EACJN,EAAQ,sBAAwB,OAC5BC,GAA8BD,EAAQ,mBAAmB,EACzD,OACN,MAAO,CAAE,GAAGA,EAAS,oBAAqBM,CAAW,CACvD,CAEA,OAAOL,GAA8BD,CAAO,CAC9C,CAEO,SAASO,GACdP,EAC4B,CAE5B,IAAMQ,EAAmBR,EAAQ,UAAU,IAAKG,GAC9CL,GAAsBK,CAAG,CAC3B,EACA,MAAO,CAAE,GAAGH,EAAS,UAAWQ,CAAiB,CACnD,CAEO,SAASC,GACdT,EACoB,CAEpB,GAAI,OAAOA,GAAY,SAAU,CAC/B,IAAMU,EAAiB,IAAIjB,EAAUO,CAAO,EAAE,aAAa,EACrDW,EAAe,IAAInB,EAAI,aAAakB,CAAc,EACxD,OAAOhB,GAAgB,mBAAmB,YAAYiB,CAAY,CACpE,CAEA,GAAIX,EAAQ,OAAS,mBAAoB,CACvC,IAAMM,EACJN,EAAQ,sBAAwB,OAC5BO,GAAgCP,EAAQ,mBAAmB,EAC3D,OACN,MAAO,CAAE,GAAGA,EAAS,oBAAqBM,CAAW,CACvD,CAEA,OAAOC,GAAgCP,CAAO,CAChD,CAEO,SAASY,GACdZ,EAC6B,CAC7B,IAAMK,EAAeb,EAAI,WAAWQ,CAAO,EAC3C,OAAOP,EAAU,eAAeY,CAAY,EAAE,IAAI,CACpD,CAEO,SAASQ,GACdb,EACwC,CACxC,IAAMU,EAAiB,IAAIjB,EAAUO,CAAO,EAAE,aAAa,EACrDW,EAAe,IAAInB,EAAI,aAAakB,CAAc,EACxD,OAAOhB,GAAgB,yBAAyB,YAAYiB,CAAY,CAC1E,CC/FO,SAASG,GAAYC,EAAkC,CAC5D,OACEA,EAAM,OAAS,2BACfA,EAAM,OAAS,0BAEnB,CC3DO,IAAKC,QACVA,IAAA,mBACAA,IAAA,uBACAA,IAAA,qCACAA,IAAA,qCACAA,IAAA,qBALUA,QAAA,IAQAC,QACVA,EAAA,WAAa,mBACbA,EAAA,MAAQ,YACRA,EAAA,OAAS,SACTA,EAAA,SAAW,WAJDA,QAAA,ICyFL,SAASC,GACdC,EAC0D,CAC1D,OAAOA,EAAQ,OAAS,wBAC1B,CAEO,SAASC,GAA4BC,EAAc,CACxD,OACEA,aAAeC,GACfD,EAAI,aAAe,CAEvB","names":["SignerClientInvalidFunctionError","SimulationArgumentError","signAndSubmitRawTransaction","transaction","core","SignerClientInvalidFunctionError","signedTxn","signBuffer","buffer","core","SignerClientInvalidFunctionError","signMessage","message","core","SignerClientInvalidFunctionError","signTransaction","rawTxn","core","SignerClientInvalidFunctionError","HexString","TransactionBuilderEd25519","HexString","getSequenceNumber","address","aptosClient","account","normalizeAddress","TxnBuilderTypes","axios","isProduction","isDevelopment","DATE_NOW_WORKER_URL","MAX_DELTA","serverTimeDelta","getServerTimeDelta","requestTime","response","responseTime","serverTime","clientTime","newDelta","synchronizeTime","error","getServerTime","getServerDate","defaultExpirationSecondsFromNow","AccountAddress","ChainId","RawTransaction","TxnBuilderTypes","encodeEntryFunctionPayload","aptosClient","payload","mockSenderAddress","mockOptions","encodePayload","multisigAddress","multisigPayload","wrappedPayload","multisig","buildRawTransactionFromBCSPayload","senderAddress","sequenceNumber","chainId","options","expirationTimestamp","expirationSecondsFromNow","getServerTime","ApiError","TxnBuilderTypes","MoveAbortCategory","AccountErrorReason","CoinErrorReason","TransactionValidationErrorReason","moduleReasonsMap","moveAbortPattern","moveAbortPatternWithDescr","parseMoveAbortRawDetails","vmStatus","match","location","reasonName","code","reasonDescr","parseMoveAbortDetails","details","category","reason","description","categoryTxt","moduleReasons","reasonTxt","codeHex","locationSuffix","name","MoveStatusCode","MoveStatusCodeText","miscErrorPattern","vmErrorPattern","MoveVmError","_MoveVmError","statusCodeKey","statusCode","parseMoveMiscError","vmStatus","match","parseMoveVmError","errorMsg","MoveVmStatus","parseMoveVmStatus","status","throwForVmError","txn","vmStatus","parseMoveVmStatus","statusCodeKey","parseMoveMiscError","MoveVmError","normalizeTimestamp","timestamp","handleApiError","err","ApiError","message","statusCode","parseMoveVmError","normalizePayload","payload","aptosClient","TxnBuilderTypes","encodePayload","TxnBuilderTypes","emptySigningFunction","invalidSigBytes","defaultGasMultiplier","maxGasFeeFromEstimated","estimatedGasFee","multiplier","AptosName","#name","name","GasNotFoundError","DepositWithdrawalMismatchError","aptosIdentityFromActivity","activity","AptosName","toAptosIdentityFromActivity","ownerAptosIdentityFromActivity","separateCoinDepositsWithdrawals","coinActivities","deposits","withdrawals","activities","ca","coinActivity","a","b","separateTokenDepositsWithdrawals","tokenActivities","tokenActivity","isCoinSwap","petraActivity","ownerActivities","depositAndWithdrawl","processCoinInfo","metadata","processCoinSwap","result","i","deposit","withdrawal","swapEvent","processCoinTransfer","w","sendEvent","receiveEvent","transformCoinActivities","processMintToken","processIndirectTokenTransfer","processTokenTransfer","transformTokenActivities","ta","transformStakeActivities","totalWithdrawn","type","eventType","event","poolAddress","transformPetraActivity","gasEvent","item","stakeActivities","baseEvent","normalizeTimestamp","getServerTime","DAY_MS","groupByTime","events","groups","startOfDay","getServerDate","startOfWeek","result","group","event","startOfMonth","groupPagesToSections","pages","getGroupTitle","i18n","page","activityGroup","section","shareRequests","query","pendingRequests","param","pendingRequest","result","timestampToDate","timestamp","normalized","emptyTokenData","sha256","coinStoreResource","coinInfoResource","aptosAccountNamespace","aptosAccountCreateAccountViaTransferFunctionName","aptosAccountCoinTransferFunctionName","aptosAccountCoinTransferFunction","coinNamespace","makeCoinInfoStructTag","coinType","aptosCoinStructTag","coinStoreStructTag","coinInfoStructTag","aptosCoinInfoStructTag","aptosCoinStoreStructTag","primaryFungibleStoreNamespace","primaryFungibleStoreTransferFunctionName","fungibleAssetMetadataStructTag","tokenNamespace","tokenStoreStructTag","tokenDepositStructTag","tokenWithdrawStructTag","stakeNamespace","aptosStakePoolStructTag","aptosValidatorSetStructTag","aptosDelegationPoolStructTag","APTOS_NAMES_ENDPOINT","COIN_GECKO_ENDPOINT","IPFS_BASE_URL","EXPLORER_BASE_PATH","imageExtensions","ipfsProtocol","DefaultNetworks","defaultNetworks","explorerNetworkNamesMap","MAX_INDEXER_INT","QueryStaleTime","QueryRefetchTime","rawInfoMainnet","mainnetList_default","rawInfoTestNet","testnetList_default","badAptosNameUriPattern","missingWwwAptosNameUriPattern","aptosNftUriPattern","isIpfs","uri","ipfsProtocol","isImageUri","ext","imageExtensions","isAptosNftImage","fixIpfs","IPFS_BASE_URL","fixBadAptosUri","match","APTOS_NAMES_ENDPOINT","getTokenDataId","collection","creator","name","getTokenDataIdHash","tokenDataId","encodedInput","hashBuffer","sha256","b","parseTokenActivity","activity","collection","parseCollectionData","collectionData","parseTokenData","tokenData","fixedUri","fixBadAptosUri","parseExtendedTokenData","amount","lastTxnVersion","propertyVersion","tokenProperties","emptyTokenData","parseRawEvent","event","coinStoreTypePattern","coinStoreStructTag","getCoinStoresByCoinType","resources","coinStores","resource","match","coinType","BCS","TxnBuilderTypes","buildCreateAccountTransferPaylod","amount","recipient","encodedArgs","BCS","TxnBuilderTypes","entryFunction","aptosAccountNamespace","aptosAccountCreateAccountViaTransferFunctionName","BCS","HexString","TxnBuilderTypes","buildFungibleAssetTransferPayload","amount","coinType","recipient","typeArgs","TxnBuilderTypes","fungibleAssetMetadataStructTag","encodedArgs","HexString","BCS","entryFunction","primaryFungibleStoreNamespace","primaryFungibleStoreTransferFunctionName","BCS","TxnBuilderTypes","buildNaturalCoinTransferPayload","amount","recipient","structTag","aptosCoinStructTag","typeArgs","TxnBuilderTypes","encodedArgs","BCS","entryFunction","aptosAccountNamespace","aptosAccountCoinTransferFunctionName","buildCoinTransferPayload","amount","coinType","doesRecipientExist","recipient","buildNaturalCoinTransferPayload","buildCreateAccountTransferPaylod","buildFungibleAssetTransferPayload","simulateTransaction","rawTxn","core","aptosClient","publicKey","HexString","signedTxnBuilder","TransactionBuilderEd25519","emptySigningFunction","rawTransaction","signedTxn","simulationFlags","txn","userTxn","throwForVmError","err","handleApiError","BCS","submitTransaction","signedTxn","aptosClient","encodedSignedTxn","fundAccount","address","amount","account","faucetClient","fetchIndexedAccountActivities","address","fungible_asset_activities_where","token_activities_where","where","limit","max_transaction_version","MAX_INDEXER_INT","account","indexerClient","indexerEvents","acc","x","transformPetraActivity","e","axios","fetchAddressFromName","name","network","networkName","aptosName","AptosName","response","axios","APTOS_NAMES_ENDPOINT","fetchNameFromAddress","address","prettifyCoinInfo","client","coinInfo","prettyInfo","offChainCoinInfo","fetchCoinInfo","coinType","coinAddress","coinInfoResourceType","makeCoinInfoStructTag","coinInfoResource","axios","fetchCoinPrice","coinType","currency","coingeckoUrl","COIN_GECKO_ENDPOINT","data","axios","getServerTime","fetchEvents","address","creationNumber","args","provider","e","parseRawEvent","FaucetClient","fetchFaucetStatus","faucetUrl","nodeUrl","account","fetchGasPrice","provider","fetchIndexedAccountCollections","address","limit","offset","indexerClient","collections","result","collection","c","floor","aptosCoinStructTag","hasPrevPage","hasNextPage","parseIndexerCoinActivityItem","client","activity","isCoinTransferTxn","isDeposit","isGasFee","coinInfo","base","timestampToDate","txn","recipient","fetchIndexedCoinActivities","address","limit","offset","indexerClient","activities","result","pendingActivities","hasPrevPage","hasNextPage","fetchIndexedTokenActivities","limit","offset","tokenId","indexerClient","activities","result","activity","parseTokenActivity","hasPrevPage","hasNextPage","parseTokenClaim","client","tokenClaim","parseCollectionData","parseExtendedTokenData","isPendingTokenOfferVisible","address","pendingClaim","hiddenTokens","lastTransactionVersion","idHash","tokenKey","fetchIndexedTokensPendingOfferClaims","limit","offset","showHiddenOffers","indexerClient","claims","result","pendingClaims","claim","isVisible","hasPrevPage","hasNextPage","fetchIndexerProcessorAvailability","processor","indexerClient","fetchTokenProcessorAvailability","fetchCoinProcessorAvailability","axios","fetchIsValidMetadata","uri","data","validCreators","creator","validFiles","file","AptosClient","fetchNodeStatus","nodeUrl","fetchResources","address","provider","fetchResourceType","type","axios","fetchTokenMetadata","uri","resolvedUri","fixIpfs","isAptosNftImage","isImageUri","response","axios","contentType","fetchTransaction","version","provider","shareRequests","e","fetchWaitForTransaction","extraArgs","txnHash","provider","fetchWaitForTransactionWithResult","getClients","core","COIN_LISTS","mainnetList_default","testnetList_default","getCoinList","networkName","network","coins","coinListDict","acc","coin","fetchAccountTotalTokens","address","collectionId","indexerClient","fetchTokenAcquiredDate","address","tokenId","account","indexerClient","res","normalizeTimestamp","fetchBalance","address","account","resource","aptosCoinStoreStructTag","getExplorerUrl","networkName","path","explorerNetworkName","explorerNetworkNamesMap","networkSuffix","EXPLORER_BASE_PATH","fetchTokenDataWithAddress","address","indexerClient","token","subscribeWithSelector","createStore","FaucetClient","Network","Provider","TokenClient","GraphQLClient","gql","CoinActivityFieldsFragmentDoc","TokensDataFieldsFragmentDoc","CollectionDataFieldsFragmentDoc","TokenDataFieldsFragmentDoc","CurrentTokenPendingClaimsFragmentDoc","TokenActivityFragmentDoc","GetAccountCoinActivityDocument","GetAccountTokensTotalDocument","GetAccountCurrentTokensDocument","GetAccountCollectionsDocument","GetCollectionsFloorPriceDocument","GetTokenDataDocument","GetTokenPendingClaimsDocument","GetPendingClaimsForTokenDocument","GetActivitiesAggregateDocument","GetTokenActivitiesDocument","GetTokenAcquisitionActivityDocument","GetProcessorLastVersionDocument","GetConsolidatedActivitiesDocument","GetDelegatedStakingRoyaltiesDocument","GetDelegatedStakingDocument","GetDelegationPoolsDocument","GetNumberOfDelegatorsDocument","defaultWrapper","action","_operationName","_operationType","getSdk","client","withWrapper","variables","requestHeaders","wrappedRequestHeaders","Account_Transactions_Select_Column","Address_Events_Summary_Select_Column","Address_Version_From_Events_Select_Column","Address_Version_From_Move_Resources_Select_Column","Block_Metadata_Transactions_Select_Column","Coin_Activities_Select_Column","Coin_Balances_Select_Column","Coin_Infos_Select_Column","Coin_Supply_Select_Column","Collection_Datas_Select_Column","Current_Ans_Lookup_Select_Column","Current_Ans_Lookup_V2_Select_Column","Current_Aptos_Names_Select_Column","Current_Coin_Balances_Select_Column","Current_Collection_Datas_Select_Column","Current_Collection_Ownership_V2_View_Select_Column","Current_Collections_V2_Select_Column","Current_Delegated_Staking_Pool_Balances_Select_Column","Current_Delegated_Voter_Select_Column","Current_Delegator_Balances_Select_Column","Current_Fungible_Asset_Balances_Select_Column","Current_Objects_Select_Column","Current_Staking_Pool_Voter_Select_Column","Current_Table_Items_Select_Column","Current_Token_Datas_Select_Column","Current_Token_Datas_V2_Select_Column","Current_Token_Ownerships_Select_Column","Current_Token_Ownerships_V2_Select_Column","Current_Token_Pending_Claims_Select_Column","Cursor_Ordering","Delegated_Staking_Activities_Select_Column","Delegated_Staking_Pools_Select_Column","Delegator_Distinct_Pool_Select_Column","Events_Select_Column","Fungible_Asset_Activities_Select_Column","Fungible_Asset_Metadata_Select_Column","Indexer_Status_Select_Column","Ledger_Infos_Select_Column","Move_Resources_Select_Column","Nft_Marketplace_V2_Current_Nft_Marketplace_Auctions_Select_Column","Nft_Marketplace_V2_Current_Nft_Marketplace_Collection_Offers_Select_Column","Nft_Marketplace_V2_Current_Nft_Marketplace_Listings_Select_Column","Nft_Marketplace_V2_Current_Nft_Marketplace_Token_Offers_Select_Column","Nft_Marketplace_V2_Nft_Marketplace_Activities_Select_Column","Nft_Metadata_Crawler_Parsed_Asset_Uris_Select_Column","Num_Active_Delegator_Per_Pool_Select_Column","Order_By","Processor_Status_Select_Column","Proposal_Votes_Select_Column","Table_Items_Select_Column","Table_Metadatas_Select_Column","Token_Activities_Select_Column","Token_Activities_V2_Select_Column","Token_Datas_Select_Column","Token_Ownerships_Select_Column","Tokens_Select_Column","User_Transactions_Select_Column","makeClient","endpoint","graphqlClient","GraphQLClient","getSdk","AptosJSProClient","#store","#provider","#indexer","#faucetClient","#tokenClient","args","createStore","subscribeWithSelector","account","network","signer","config","callback","state","Network","Provider","url","makeClient","FaucetClient","TokenClient","getClients","getCoinList","fetchIndexedAccountActivities","fetchWaitForTransaction","fetchWaitForTransactionWithResult","fetchTransaction","fetchTokenMetadata","fetchResources","fetchResourceType","fetchNodeStatus","fetchIsValidMetadata","fetchIndexerProcessorAvailability","fetchTokenProcessorAvailability","fetchCoinProcessorAvailability","fetchIndexedTokenActivities","fetchIndexedCoinActivities","fetchIndexedAccountCollections","fetchGasPrice","fetchFaucetStatus","fetchEvents","fetchCoinPrice","fetchCoinInfo","fetchAddressFromName","fetchNameFromAddress","fetchIndexedTokensPendingOfferClaims","fetchAccountTotalTokens","fetchTokenAcquiredDate","fetchBalance","fetchTokenDataWithAddress","getExplorerUrl","submitTransaction","simulateTransaction","signTransaction","signMessage","signBuffer","signAndSubmitRawTransaction","fundAccount","isConfirmedActivityItem","item","TokenEvent","BCS","HexString","TxnBuilderTypes","isSerializedArg","argument","serializePayloadArg","deserializePayloadArg","isBcsSerializable","payload","serializeEntryFunctionPayload","serializedArgs","arg","ensurePayloadSerialized","payloadBytes","txnPayload","deserializeEntryFunctionPayload","deserializedArgs","ensurePayloadDeserialized","encodedPayload","deserializer","ensureMultiAgentPayloadSerialized","ensureMultiAgentPayloadDeserialized","isCoinEvent","event","ValidatorStatus","StakeOperation","isEntryFunctionPayload","payload","isSequenceNumberTooOldError","err","MoveVmError"]}